Newer
Older
* Copyright (c) 2019 InterDigital Communications, Inc
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
package server
import (
"encoding/json"
"errors"
"fmt"
"net/http"
"net/url"
Kevin Di Lallo
committed
"os"
"time"
sbi "github.com/InterDigitalInc/AdvantEDGE/go-apps/meep-loc-serv/sbi"
Kevin Di Lallo
committed
dkm "github.com/InterDigitalInc/AdvantEDGE/go-packages/meep-data-key-mgr"
gisClient "github.com/InterDigitalInc/AdvantEDGE/go-packages/meep-gis-engine-client"
httpLog "github.com/InterDigitalInc/AdvantEDGE/go-packages/meep-http-logger"
log "github.com/InterDigitalInc/AdvantEDGE/go-packages/meep-logger"
Kevin Di Lallo
committed
met "github.com/InterDigitalInc/AdvantEDGE/go-packages/meep-metrics"
redis "github.com/InterDigitalInc/AdvantEDGE/go-packages/meep-redis"
Simon Pastor
committed
"github.com/gorilla/mux"
)
Kevin Di Lallo
committed
const locServKey = "loc-serv:"
const logModuleLocServ = "meep-loc-serv"
const serviceName = "Location Service"
const typeZone = "zone"
const typeAccessPoint = "accessPoint"
const typeUser = "user"
const typeZonalSubscription = "zonalsubs"
const typeUserSubscription = "usersubs"
const typeZoneStatusSubscription = "zonestatus"
const typeDistanceSubscription = "distance"
const typeAreaCircleSubscription = "areacircle"
Kevin Di Lallo
committed
const (
notifZonalPresence = "ZonalPresenceNotification"
notifZoneStatus = "ZoneStatusNotification"
Kevin Di Lallo
committed
)
Kevin Di Lallo
committed
type UeUserData struct {
queryZoneId []string
queryApId []string
queryAddress []string
Kevin Di Lallo
committed
}
type ApUserData struct {
queryInterestRealm string
apList *AccessPointList
}
var nextZonalSubscriptionIdAvailable int
var nextUserSubscriptionIdAvailable int
Simon Pastor
committed
var nextZoneStatusSubscriptionIdAvailable int
var nextDistanceSubscriptionIdAvailable int
var nextAreaCircleSubscriptionIdAvailable int
var zonalSubscriptionEnteringMap = map[int]string{}
var zonalSubscriptionLeavingMap = map[int]string{}
var zonalSubscriptionTransferringMap = map[int]string{}
var zonalSubscriptionMap = map[int]string{}
var userSubscriptionEnteringMap = map[int]string{}
var userSubscriptionLeavingMap = map[int]string{}
var userSubscriptionTransferringMap = map[int]string{}
var userSubscriptionMap = map[int]string{}
Simon Pastor
committed
var zoneStatusSubscriptionMap = map[int]*ZoneStatusCheck{}
var distanceSubscriptionMap = map[int]*DistanceCheck{}
var distancePeriodicTicker *time.Ticker
var areaCircleSubscriptionMap = map[int]*AreaCircleCheck{}
Simon Pastor
committed
type ZoneStatusCheck struct {
ZoneId string
Serviceable bool
Unserviceable bool
Unknown bool
Simon Pastor
committed
}
type DistanceCheck struct {
NextTts int32 //next time to send, derived from frequency
Subscription *DistanceNotificationSubscription
}
type AreaCircleCheck struct {
NextTts int32 //next time to send, derived from frequency
AddrInArea map[string]bool
Subscription *CircleNotificationSubscription
}
Kevin Di Lallo
committed
var LOC_SERV_DB = 0
var redisAddr string = "meep-redis-master.default.svc.cluster.local:6379"
var influxAddr string = "http://meep-influxdb.default.svc.cluster.local:8086"
Kevin Di Lallo
committed
var hostUrl *url.URL
Kevin Di Lallo
committed
var sandboxName string
Kevin Di Lallo
committed
var basePath string
Kevin Di Lallo
committed
var baseKey string
Simon Pastor
committed
func notImplemented(w http.ResponseWriter, r *http.Request) {
w.Header().Set("Content-Type", "application/json; charset=UTF-8")
w.WriteHeader(http.StatusNotImplemented)
}
// Init - Location Service initialization
func Init() (err error) {
sandboxNameEnv := strings.TrimSpace(os.Getenv("MEEP_SANDBOX_NAME"))
if sandboxNameEnv != "" {
sandboxName = sandboxNameEnv
}
if sandboxName == "" {
err = errors.New("MEEP_SANDBOX_NAME env variable not set")
log.Error(err.Error())
return err
}
log.Info("MEEP_SANDBOX_NAME: ", sandboxName)
Kevin Di Lallo
committed
// hostUrl is the url of the node serving the resourceURL
// Retrieve public url address where service is reachable, if not present, use Host URL environment variable
hostUrl, err = url.Parse(strings.TrimSpace(os.Getenv("MEEP_PUBLIC_URL")))
if err != nil || hostUrl == nil || hostUrl.String() == "" {
hostUrl, err = url.Parse(strings.TrimSpace(os.Getenv("MEEP_HOST_URL")))
if err != nil {
hostUrl = new(url.URL)
}
Kevin Di Lallo
committed
}
Kevin Di Lallo
committed
// Set base path
basePath = "/" + sandboxName + LocServBasePath
Kevin Di Lallo
committed
Kevin Di Lallo
committed
// Get base storage key
baseKey = dkm.GetKeyRoot(sandboxName) + locServKey
Kevin Di Lallo
committed
// Connect to Redis DB
_ = rc.DBFlush(baseKey)
gisAppClientCfg := gisClient.NewConfiguration()
gisAppClientCfg.BasePath = hostUrl.String() + "/" + sandboxName + "/gis/v1"
gisAppClient = gisClient.NewAPIClient(gisAppClientCfg)
if gisAppClient == nil {
log.Error("Failed to create GIS App REST API client: ", gisAppClientCfg.BasePath)
err := errors.New("Failed to create GIS App REST API client")
return err
}
userTrackingReInit()
zonalTrafficReInit()
Simon Pastor
committed
zoneStatusReInit()
Kevin Di Lallo
committed
// Initialize SBI
sbiCfg := sbi.SbiCfg{
SandboxName: sandboxName,
RedisAddr: redisAddr,
UserInfoCb: updateUserInfo,
ZoneInfoCb: updateZoneInfo,
ApInfoCb: updateAccessPointInfo,
ScenarioNameCb: updateStoreName,
CleanUpCb: cleanUp,
}
err = sbi.Init(sbiCfg)
if err != nil {
log.Error("Failed initialize SBI. Error: ", err)
return err
}
log.Info("SBI Initialized")
return nil
Kevin Di Lallo
committed
}
Kevin Di Lallo
committed
func Run() (err error) {
distancePeriodicTicker = time.NewTicker(time.Second)
go func() {
for range distancePeriodicTicker.C {
checkNotificationDistancePeriodicTrigger()
}
}()
Kevin Di Lallo
committed
return sbi.Run()
Simon Pastor
committed
func deregisterZoneStatus(subsIdStr string) {
if err != nil {
log.Error(err)
}
Simon Pastor
committed
}
func registerZoneStatus(zoneId string, nbOfUsersZoneThreshold int32, nbOfUsersAPThreshold int32, opStatus []OperationStatus, subsIdStr string) {
Simon Pastor
committed
if err != nil {
log.Error(err)
}
Simon Pastor
committed
var zoneStatus ZoneStatusCheck
if opStatus != nil {
for i := 0; i < len(opStatus); i++ {
switch opStatus[i] {
case SERVICEABLE:
zoneStatus.Serviceable = true
case UNSERVICEABLE:
zoneStatus.Unserviceable = true
case OPSTATUS_UNKNOWN:
zoneStatus.Unknown = true
default:
}
}
}
zoneStatus.NbUsersInZoneThreshold = nbOfUsersZoneThreshold
zoneStatus.NbUsersInAPThreshold = nbOfUsersAPThreshold
Simon Pastor
committed
zoneStatus.ZoneId = zoneId
Simon Pastor
committed
zoneStatusSubscriptionMap[subsId] = &zoneStatus
}
func deregisterZonal(subsIdStr string) {
subsId, err := strconv.Atoi(subsIdStr)
if err != nil {
log.Error(err)
}
zonalSubscriptionMap[subsId] = ""
zonalSubscriptionEnteringMap[subsId] = ""
zonalSubscriptionLeavingMap[subsId] = ""
zonalSubscriptionTransferringMap[subsId] = ""
func registerZonal(zoneId string, event []UserEventType, subsIdStr string) {
if err != nil {
log.Error(err)
}
if event != nil {
for i := 0; i < len(event); i++ {
switch event[i] {
zonalSubscriptionEnteringMap[subsId] = zoneId
zonalSubscriptionLeavingMap[subsId] = zoneId
zonalSubscriptionTransferringMap[subsId] = zoneId
default:
}
}
} else {
zonalSubscriptionEnteringMap[subsId] = zoneId
zonalSubscriptionLeavingMap[subsId] = zoneId
zonalSubscriptionTransferringMap[subsId] = zoneId
}
zonalSubscriptionMap[subsId] = zoneId
}
func deregisterUser(subsIdStr string) {
if err != nil {
log.Error(err)
}
userSubscriptionMap[subsId] = ""
userSubscriptionEnteringMap[subsId] = ""
userSubscriptionLeavingMap[subsId] = ""
userSubscriptionTransferringMap[subsId] = ""
func registerUser(userAddress string, event []UserEventType, subsIdStr string) {
if err != nil {
log.Error(err)
}
if event != nil {
for i := 0; i < len(event); i++ {
switch event[i] {
userSubscriptionEnteringMap[subsId] = userAddress
userSubscriptionLeavingMap[subsId] = userAddress
userSubscriptionTransferringMap[subsId] = userAddress
default:
}
}
} else {
userSubscriptionEnteringMap[subsId] = userAddress
userSubscriptionLeavingMap[subsId] = userAddress
userSubscriptionTransferringMap[subsId] = userAddress
}
userSubscriptionMap[subsId] = userAddress
}
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
func checkNotificationDistancePeriodicTrigger() {
//only check if there is at least one subscription
mutex.Lock()
defer mutex.Unlock()
//check all that applies
for subsId, distanceCheck := range distanceSubscriptionMap {
if distanceCheck != nil && distanceCheck.Subscription != nil {
//decrement the next time to send a message
distanceCheck.NextTts--
if distanceCheck.NextTts > 0 {
continue
} else { //restart the nextTts and continue processing to send notification or not
distanceCheck.NextTts = distanceCheck.Subscription.Frequency
}
//loop through every reference address
returnAddr := make(map[string]*gisClient.Distance)
skipThisSubscription := false
//if reference address is specified, reference addresses are checked agains each monitored address
//if reference address is nil, each pair of the monitored address should be checked
//creating address pairs to check
//e.g. refAddr = A, B ; monitoredAddr = C, D, E ; resultingPairs {A,C - A,D - A,E - B,C - B,D - B-E}
//e.g. monitoredAddr = A, B, C ; resultingPairs {A,B - B,A - A,C - C,A - B,C - C,B}
var addressPairs []Pair
if distanceCheck.Subscription.ReferenceAddress != nil {
for _, refAddr := range distanceCheck.Subscription.ReferenceAddress {
//loop through every monitored address
for _, monitoredAddr := range distanceCheck.Subscription.MonitoredAddress {
pair := Pair{addr1: refAddr, addr2: monitoredAddr}
addressPairs = append(addressPairs, pair)
}
}
} else {
nbIndex := len(distanceCheck.Subscription.MonitoredAddress)
for i := 0; i < nbIndex-1; i++ {
for j := i + 1; j < nbIndex; j++ {
pair := Pair{addr1: distanceCheck.Subscription.MonitoredAddress[i], addr2: distanceCheck.Subscription.MonitoredAddress[j]}
addressPairs = append(addressPairs, pair)
//need pair to be symmetrical so that each is used as reference point and monitored address
pair = Pair{addr1: distanceCheck.Subscription.MonitoredAddress[j], addr2: distanceCheck.Subscription.MonitoredAddress[i]}
addressPairs = append(addressPairs, pair)
}
}
}
for _, pair := range addressPairs {
refAddr := pair.addr1
monitoredAddr := pair.addr2
var distParam gisClient.TargetPoint
distParam.AssetName = monitoredAddr
distResp, _, err := gisAppClient.GeospatialDataApi.GetDistanceGeoDataByName(context.TODO(), refAddr, distParam)
if err != nil {
log.Error("Failed to communicate with gis engine: ", err)
return
}
distance := int32(distResp.Distance)
switch *distanceCheck.Subscription.Criteria {
case ALL_WITHIN_DISTANCE:
if float32(distance) < distanceCheck.Subscription.Distance {
returnAddr[monitoredAddr] = &distResp
} else {
skipThisSubscription = true
}
case ALL_BEYOND_DISTANCE:
if float32(distance) > distanceCheck.Subscription.Distance {
returnAddr[monitoredAddr] = &distResp
} else {
skipThisSubscription = true
}
case ANY_WITHIN_DISTANCE:
if float32(distance) < distanceCheck.Subscription.Distance {
returnAddr[monitoredAddr] = &distResp
}
case ANY_BEYOND_DISTANCE:
if float32(distance) > distanceCheck.Subscription.Distance {
returnAddr[monitoredAddr] = &distResp
}
default:
}
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
if skipThisSubscription {
continue
}
if len(returnAddr) > 0 {
subsIdStr := strconv.Itoa(subsId)
var distanceNotif SubscriptionNotification
distanceNotif.DistanceCriteria = distanceCheck.Subscription.Criteria
distanceNotif.IsFinalNotification = false
distanceNotif.Link = distanceCheck.Subscription.Link
var terminalLocationList []TerminalLocation
for terminalAddr, distanceInfo := range returnAddr {
var terminalLocation TerminalLocation
terminalLocation.Address = terminalAddr
var locationInfo LocationInfo
locationInfo.Latitude = nil
locationInfo.Latitude = append(locationInfo.Latitude, distanceInfo.Latitude)
locationInfo.Longitude = nil
locationInfo.Longitude = append(locationInfo.Longitude, distanceInfo.Longitude)
locationInfo.Shape = 2
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
locationInfo.Timestamp = ×tamp
terminalLocation.CurrentLocation = &locationInfo
retrievalStatus := RETRIEVED
terminalLocation.LocationRetrievalStatus = &retrievalStatus
terminalLocationList = append(terminalLocationList, terminalLocation)
}
distanceNotif.TerminalLocation = terminalLocationList
distanceNotif.CallbackData = distanceCheck.Subscription.ClientCorrelator
var inlineDistanceSubscriptionNotification InlineSubscriptionNotification
inlineDistanceSubscriptionNotification.SubscriptionNotification = &distanceNotif
sendSubscriptionNotification(distanceCheck.Subscription.CallbackReference.NotifyURL, inlineDistanceSubscriptionNotification)
log.Info("Distance Notification"+"("+subsIdStr+") For ", returnAddr)
}
}
}
}
func checkNotificationAreaCircle(addressToCheck string) {
//only check if there is at least one subscription
mutex.Lock()
defer mutex.Unlock()
//check all that applies
for subsId, areaCircleCheck := range areaCircleSubscriptionMap {
if areaCircleCheck != nil && areaCircleCheck.Subscription != nil {
//ignoring the frequency and checkImmediate for this subscription since it is considered event based, not periodic
/* //decrement the next time to send a message
if areaCircleCheck.NextTts > 0 {
continue
} else { //restart the nextTts and continue processing to send notification or not
areaCircleCheck.NextTts = areaCircleCheck.Subscription.Frequency
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
//loop through every reference address
for _, addr := range areaCircleCheck.Subscription.Address {
if addr != addressToCheck {
continue
}
//check if address is already inside the area or not based on the subscription
var withinRangeParam gisClient.TargetRange
withinRangeParam.Latitude = areaCircleCheck.Subscription.Latitude
withinRangeParam.Longitude = areaCircleCheck.Subscription.Longitude
withinRangeParam.Radius = areaCircleCheck.Subscription.Radius
withinRangeResp, _, err := gisAppClient.GeospatialDataApi.GetWithinRangeByName(context.TODO(), addr, withinRangeParam)
if err != nil {
log.Error("Failed to communicate with gis engine: ", err)
return
}
//check if there is a change
var event EnteringLeavingCriteria
if withinRangeResp.Within {
if areaCircleCheck.AddrInArea[addr] {
//no change
continue
} else {
areaCircleCheck.AddrInArea[addr] = true
event = ENTERING_CRITERIA
}
} else {
if !areaCircleCheck.AddrInArea[addr] {
//no change
continue
} else {
areaCircleCheck.AddrInArea[addr] = false
event = LEAVING_CRITERIA
}
}
//no tracking this event, stop looking for this UE
if *areaCircleCheck.Subscription.EnteringLeavingCriteria != event {
continue
}
subsIdStr := strconv.Itoa(subsId)
var areaCircleNotif SubscriptionNotification
areaCircleNotif.EnteringLeavingCriteria = areaCircleCheck.Subscription.EnteringLeavingCriteria
areaCircleNotif.IsFinalNotification = false
areaCircleNotif.Link = areaCircleCheck.Subscription.Link
var terminalLocationList []TerminalLocation
var terminalLocation TerminalLocation
terminalLocation.Address = addr
var locationInfo LocationInfo
locationInfo.Latitude = nil
locationInfo.Latitude = append(locationInfo.Latitude, withinRangeResp.Latitude)
locationInfo.Longitude = nil
locationInfo.Longitude = append(locationInfo.Longitude, withinRangeResp.Longitude)
locationInfo.Shape = 2
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
locationInfo.Timestamp = ×tamp
terminalLocation.CurrentLocation = &locationInfo
retrievalStatus := RETRIEVED
terminalLocation.LocationRetrievalStatus = &retrievalStatus
terminalLocationList = append(terminalLocationList, terminalLocation)
areaCircleNotif.TerminalLocation = terminalLocationList
areaCircleNotif.CallbackData = areaCircleCheck.Subscription.ClientCorrelator
var inlineCircleSubscriptionNotification InlineSubscriptionNotification
inlineCircleSubscriptionNotification.SubscriptionNotification = &areaCircleNotif
sendSubscriptionNotification(areaCircleCheck.Subscription.CallbackReference.NotifyURL, inlineCircleSubscriptionNotification)
log.Info("Area Circle Notification" + "(" + subsIdStr + ") For " + addr + " when " + string(*areaCircleCheck.Subscription.EnteringLeavingCriteria) + " area")
}
}
}
}
func deregisterDistance(subsIdStr string) {
subsId, err := strconv.Atoi(subsIdStr)
if err != nil {
log.Error(err)
}
mutex.Lock()
defer mutex.Unlock()
distanceSubscriptionMap[subsId] = nil
}
func registerDistance(distanceSub *DistanceNotificationSubscription, subsIdStr string) {
subsId, err := strconv.Atoi(subsIdStr)
if err != nil {
log.Error(err)
}
mutex.Lock()
defer mutex.Unlock()
var distanceCheck DistanceCheck
distanceCheck.Subscription = distanceSub
if distanceSub.CheckImmediate {
distanceCheck.NextTts = 0 //next time periodic trigger hits, will be forced to trigger
} else {
distanceCheck.NextTts = distanceSub.Frequency
}
distanceSubscriptionMap[subsId] = &distanceCheck
}
func deregisterAreaCircle(subsIdStr string) {
subsId, err := strconv.Atoi(subsIdStr)
if err != nil {
log.Error(err)
}
mutex.Lock()
defer mutex.Unlock()
areaCircleSubscriptionMap[subsId] = nil
}
func registerAreaCircle(areaCircleSub *CircleNotificationSubscription, subsIdStr string) {
subsId, err := strconv.Atoi(subsIdStr)
if err != nil {
log.Error(err)
}
mutex.Lock()
defer mutex.Unlock()
var areaCircleCheck AreaCircleCheck
areaCircleCheck.Subscription = areaCircleSub
areaCircleCheck.AddrInArea = map[string]bool{}
//checkImmediate and NextTts apply more to a periodic notification, setting them but ignoring both in notification code because of unclear spec on that matter
if areaCircleSub.CheckImmediate {
areaCircleCheck.NextTts = 0 //next time periodic trigger hits, will be forced to trigger
} else {
areaCircleCheck.NextTts = areaCircleSub.Frequency
}
areaCircleSubscriptionMap[subsId] = &areaCircleCheck
}
func checkNotificationRegisteredZoneStatus(zoneId string, apId string, nbUsersInAP int32, nbUsersInZone int32, previousNbUsersInAP int32, previousNbUsersInZone int32) {
Simon Pastor
committed
Simon Pastor
committed
//check all that applies
for subsId, zoneStatus := range zoneStatusSubscriptionMap {
Kevin Di Lallo
committed
if zoneStatus == nil {
continue
}
Simon Pastor
committed
Kevin Di Lallo
committed
if zoneStatus.ZoneId == zoneId {
Simon Pastor
committed
zoneWarning := false
apWarning := false
if nbUsersInZone != -1 {
if previousNbUsersInZone != nbUsersInZone && nbUsersInZone >= zoneStatus.NbUsersInZoneThreshold {
Simon Pastor
committed
zoneWarning = true
}
Simon Pastor
committed
}
if nbUsersInAP != -1 {
if previousNbUsersInAP != nbUsersInAP && nbUsersInAP >= zoneStatus.NbUsersInAPThreshold {
Simon Pastor
committed
apWarning = true
}
}
Simon Pastor
committed
Simon Pastor
committed
if zoneWarning || apWarning {
subsIdStr := strconv.Itoa(subsId)
jsonInfo, _ := rc.JSONGetEntry(baseKey+typeZoneStatusSubscription+":"+subsIdStr, ".")
if jsonInfo == "" {
return
}
Simon Pastor
committed
subscription := convertJsonToZoneStatusSubscription(jsonInfo)
Simon Pastor
committed
var zoneStatusNotif ZoneStatusNotification
zoneStatusNotif.ZoneId = zoneId
if apWarning {
zoneStatusNotif.AccessPointId = apId
Simon Pastor
committed
}
if zoneWarning {
Simon Pastor
committed
}
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
zoneStatusNotif.Timestamp = ×tamp
var inlineZoneStatusNotification InlineZoneStatusNotification
inlineZoneStatusNotification.ZoneStatusNotification = &zoneStatusNotif
sendStatusNotification(subscription.CallbackReference.NotifyURL, inlineZoneStatusNotification)
if apWarning {
log.Info("Zone Status Notification" + "(" + subsIdStr + "): " + "For event in zone " + zoneId + " which has " + strconv.Itoa(int(nbUsersInAP)) + " users in AP " + apId)
Simon Pastor
committed
} else {
log.Info("Zone Status Notification" + "(" + subsIdStr + "): " + "For event in zone " + zoneId + " which has " + strconv.Itoa(int(nbUsersInZone)) + " users in total")
Simon Pastor
committed
}
}
}
}
}
func checkNotificationRegisteredUsers(oldZoneId string, newZoneId string, oldApId string, newApId string, userId string) {
//check all that applies
for subsId, value := range userSubscriptionMap {
if value == userId {
subsIdStr := strconv.Itoa(subsId)
Kevin Di Lallo
committed
jsonInfo, _ := rc.JSONGetEntry(baseKey+typeUserSubscription+":"+subsIdStr, ".")
if jsonInfo == "" {
return
}
subscription := convertJsonToUserSubscription(jsonInfo)
var zonal ZonalPresenceNotification
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
zonal.Timestamp = ×tamp
zonal.CallbackData = subscription.ClientCorrelator
if newZoneId != oldZoneId {
if oldZoneId != "" {
if userSubscriptionLeavingMap[subsId] != "" {
zonal.ZoneId = oldZoneId
zonal.CurrentAccessPointId = oldApId
event := new(UserEventType)
*event = LEAVING_EVENT
zonal.UserEventType = event
var inlineZonal InlineZonalPresenceNotification
inlineZonal.ZonalPresenceNotification = &zonal
sendZonalPresenceNotification(subscription.CallbackReference.NotifyURL, inlineZonal)
log.Info("User Notification" + "(" + subsIdStr + "): " + "Leaving event in zone " + oldZoneId + " for user " + userId)
}
if userSubscriptionEnteringMap[subsId] != "" && newZoneId != "" {
zonal.ZoneId = newZoneId
zonal.CurrentAccessPointId = newApId
event := new(UserEventType)
*event = ENTERING_EVENT
var inlineZonal InlineZonalPresenceNotification
inlineZonal.ZonalPresenceNotification = &zonal
sendZonalPresenceNotification(subscription.CallbackReference.NotifyURL, inlineZonal)
log.Info("User Notification" + "(" + subsIdStr + "): " + "Entering event in zone " + newZoneId + " for user " + userId)
}
} else {
if newApId != oldApId {
if userSubscriptionTransferringMap[subsId] != "" {
zonal.ZoneId = newZoneId
zonal.CurrentAccessPointId = newApId
zonal.PreviousAccessPointId = oldApId
event := new(UserEventType)
*event = TRANSFERRING_EVENT
Simon Pastor
committed
zonal.UserEventType = event
var inlineZonal InlineZonalPresenceNotification
inlineZonal.ZonalPresenceNotification = &zonal
sendZonalPresenceNotification(subscription.CallbackReference.NotifyURL, inlineZonal)
log.Info("User Notification" + "(" + subsIdStr + "): " + " Transferring event within zone " + newZoneId + " for user " + userId + " from Ap " + oldApId + " to " + newApId)
}
}
func sendZonalPresenceNotification(notifyUrl string, notification InlineZonalPresenceNotification) {
jsonNotif, err := json.Marshal(notification)
if err != nil {
log.Error(err)
return
}
Kevin Di Lallo
committed
resp, err := http.Post(notifyUrl, "application/json", bytes.NewBuffer(jsonNotif))
Kevin Di Lallo
committed
duration := float64(time.Since(startTime).Microseconds()) / 1000.0
_ = httpLog.LogTx(notifyUrl, "POST", string(jsonNotif), resp, startTime)
Kevin Di Lallo
committed
if err != nil {
log.Error(err)
Kevin Di Lallo
committed
met.ObserveNotification(sandboxName, serviceName, notifZonalPresence, notifyUrl, nil, duration)
Kevin Di Lallo
committed
return
}
Kevin Di Lallo
committed
met.ObserveNotification(sandboxName, serviceName, notifZonalPresence, notifyUrl, resp, duration)
func sendStatusNotification(notifyUrl string, notification InlineZoneStatusNotification) {
jsonNotif, err := json.Marshal(notification)
Simon Pastor
committed
if err != nil {
log.Error(err)
return
}
Kevin Di Lallo
committed
resp, err := http.Post(notifyUrl, "application/json", bytes.NewBuffer(jsonNotif))
Kevin Di Lallo
committed
duration := float64(time.Since(startTime).Microseconds()) / 1000.0
_ = httpLog.LogTx(notifyUrl, "POST", string(jsonNotif), resp, startTime)
Kevin Di Lallo
committed
if err != nil {
log.Error(err)
Kevin Di Lallo
committed
met.ObserveNotification(sandboxName, serviceName, notifZoneStatus, notifyUrl, nil, duration)
Kevin Di Lallo
committed
return
}
Kevin Di Lallo
committed
met.ObserveNotification(sandboxName, serviceName, notifZoneStatus, notifyUrl, resp, duration)
Simon Pastor
committed
}
func sendSubscriptionNotification(notifyUrl string, notification InlineSubscriptionNotification) {
startTime := time.Now()
jsonNotif, err := json.Marshal(notification)
if err != nil {
log.Error(err)
return
}
resp, err := http.Post(notifyUrl, "application/json", bytes.NewBuffer(jsonNotif))
duration := float64(time.Since(startTime).Microseconds()) / 1000.0
_ = httpLog.LogTx(notifyUrl, "POST", string(jsonNotif), resp, startTime)
if err != nil {
log.Error(err)
met.ObserveNotification(sandboxName, serviceName, notifSubscription, notifyUrl, nil, duration)
return
}
met.ObserveNotification(sandboxName, serviceName, notifSubscription, notifyUrl, resp, duration)
defer resp.Body.Close()
}
func checkNotificationRegisteredZones(oldZoneId string, newZoneId string, oldApId string, newApId string, userId string) {
//check all that applies
for subsId, value := range zonalSubscriptionMap {
if value == newZoneId {
if newZoneId != oldZoneId {
if zonalSubscriptionEnteringMap[subsId] != "" {
subsIdStr := strconv.Itoa(subsId)
Kevin Di Lallo
committed
jsonInfo, _ := rc.JSONGetEntry(baseKey+typeZonalSubscription+":"+subsIdStr, ".")
if jsonInfo != "" {
subscription := convertJsonToZonalSubscription(jsonInfo)
var zonal ZonalPresenceNotification
zonal.ZoneId = newZoneId
zonal.CurrentAccessPointId = newApId
zonal.Address = userId
event := new(UserEventType)
*event = ENTERING_EVENT
Simon Pastor
committed
zonal.UserEventType = event
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
zonal.Timestamp = ×tamp
zonal.CallbackData = subscription.ClientCorrelator
var inlineZonal InlineZonalPresenceNotification
inlineZonal.ZonalPresenceNotification = &zonal
sendZonalPresenceNotification(subscription.CallbackReference.NotifyURL, inlineZonal)
log.Info("Zonal Notify Entering event in zone " + newZoneId + " for user " + userId)
}
}
} else {
if newApId != oldApId {
if zonalSubscriptionTransferringMap[subsId] != "" {
subsIdStr := strconv.Itoa(subsId)
Kevin Di Lallo
committed
jsonInfo, _ := rc.JSONGetEntry(baseKey+typeZonalSubscription+":"+subsIdStr, ".")
if jsonInfo != "" {
subscription := convertJsonToZonalSubscription(jsonInfo)
var zonal ZonalPresenceNotification
zonal.ZoneId = newZoneId
zonal.CurrentAccessPointId = newApId
zonal.PreviousAccessPointId = oldApId
zonal.Address = userId
event := new(UserEventType)
*event = TRANSFERRING_EVENT
Simon Pastor
committed
zonal.UserEventType = event
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
zonal.Timestamp = ×tamp
zonal.CallbackData = subscription.ClientCorrelator
var inlineZonal InlineZonalPresenceNotification
inlineZonal.ZonalPresenceNotification = &zonal
sendZonalPresenceNotification(subscription.CallbackReference.NotifyURL, inlineZonal)
log.Info("Zonal Notify Transferring event in zone " + newZoneId + " for user " + userId + " from Ap " + oldApId + " to " + newApId)
}
}
}
} else {
if value == oldZoneId {
if zonalSubscriptionLeavingMap[subsId] != "" {
subsIdStr := strconv.Itoa(subsId)
Kevin Di Lallo
committed
jsonInfo, _ := rc.JSONGetEntry(baseKey+typeZonalSubscription+":"+subsIdStr, ".")
if jsonInfo != "" {
subscription := convertJsonToZonalSubscription(jsonInfo)
var zonal ZonalPresenceNotification
zonal.ZoneId = oldZoneId
zonal.CurrentAccessPointId = oldApId
zonal.Address = userId
event := new(UserEventType)
*event = LEAVING_EVENT
Simon Pastor
committed
zonal.UserEventType = event
seconds := time.Now().Unix()
var timestamp TimeStamp
timestamp.Seconds = int32(seconds)
zonal.Timestamp = ×tamp
zonal.CallbackData = subscription.ClientCorrelator
var inlineZonal InlineZonalPresenceNotification
inlineZonal.ZonalPresenceNotification = &zonal
sendZonalPresenceNotification(subscription.CallbackReference.NotifyURL, inlineZonal)
log.Info("Zonal Notify Leaving event in zone " + oldZoneId + " for user " + userId)
}
}
}
}
}
}
func usersGet(w http.ResponseWriter, r *http.Request) {
w.Header().Set("Content-Type", "application/json; charset=UTF-8")
Kevin Di Lallo
committed
var userData UeUserData
Kevin Di Lallo
committed
// Retrieve query parameters
u, _ := url.Parse(r.URL.String())
log.Info("url: ", u.RequestURI())
q := u.Query()
userData.queryZoneId = q["zoneId"]
userData.queryApId = q["accessPointId"]
userData.queryAddress = q["address"]
validQueryParams := []string{"zoneId", "accessPointId", "address"}
//look for all query parameters to reject if any invalid ones
found := false
for queryParam := range q {
found = false
for _, validQueryParam := range validQueryParams {
if queryParam == validQueryParam {
found = true
break
}
}
if !found {
log.Error("Query param not valid: ", queryParam)
w.WriteHeader(http.StatusBadRequest)
return
}
}
Kevin Di Lallo
committed
// Get user list from DB
userList.ResourceURL = hostUrl.String() + basePath + "queries/users"
response.UserList = &userList
Kevin Di Lallo
committed
userData.userList = &userList
Kevin Di Lallo
committed
keyName := baseKey + typeUser + ":*"
err := rc.ForEachJSONEntry(keyName, populateUserList, &userData)
if err != nil {
log.Error(err.Error())
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
Kevin Di Lallo
committed
// Send response
jsonResponse, err := json.Marshal(response)
if err != nil {
log.Error(err.Error())
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
w.WriteHeader(http.StatusOK)
fmt.Fprintf(w, string(jsonResponse))
}
Kevin Di Lallo
committed
func populateUserList(key string, jsonInfo string, userData interface{}) error {
// Get query params & userlist from user data
data := userData.(*UeUserData)
if data == nil || data.userList == nil {
return errors.New("userList not found in userData")