-
Notifications
You must be signed in to change notification settings - Fork 49
/
Copy pathsmpolicy.go
1199 lines (1129 loc) · 44.3 KB
/
smpolicy.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
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
450
451
452
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
501
502
503
504
505
506
507
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
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package processor
import (
"fmt"
"net/http"
"strconv"
"strings"
"github.com/antihax/optional"
"github.com/gin-gonic/gin"
"go.mongodb.org/mongo-driver/bson"
"github.com/free5gc/openapi"
"github.com/free5gc/openapi/Nudr_DataRepository"
"github.com/free5gc/openapi/models"
pcf_context "github.com/free5gc/pcf/internal/context"
"github.com/free5gc/pcf/internal/logger"
"github.com/free5gc/pcf/internal/util"
"github.com/free5gc/util/flowdesc"
"github.com/free5gc/util/mongoapi"
)
const (
flowRuleDataColl = "policyData.ues.flowRule"
qosFlowDataColl = "policyData.ues.qosFlow"
chargingDataColl = "policyData.ues.chargingData"
)
func (p *Processor) HandleCreateSmPolicyRequest(
c *gin.Context,
request models.SmPolicyContextData,
) {
logger.SmPolicyLog.Infof("Handle CreateSmPolicy")
var err error
queryStrength := 2 // 2: case-insensitive, 3: case-sensitive
logger.SmPolicyLog.Tracef("Handle Create SM Policy Request")
if request.Supi == "" || request.SliceInfo == nil {
problemDetail := util.GetProblemDetail("Errorneous/Missing Mandotory IE", util.ERROR_INITIAL_PARAMETERS)
logger.SmPolicyLog.Warnln("Errorneous/Missing Mandotory IE", util.ERROR_INITIAL_PARAMETERS)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
logger.ProcLog.Debugf("Request SUPI:[%s], SNSSAI:[%v]", request.Supi, request.SliceInfo)
pcfSelf := p.Context()
var ue *pcf_context.UeContext
if val, exist := pcfSelf.UePool.Load(request.Supi); exist {
ue = val.(*pcf_context.UeContext)
}
if ue == nil {
problemDetail := util.GetProblemDetail("Supi is not supported in PCF", util.USER_UNKNOWN)
logger.SmPolicyLog.Warnf("Supi[%s] is not supported in PCF", request.Supi)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
udrUri := p.getUdrUri(ue)
if udrUri == "" {
problemDetail := util.GetProblemDetail("Can't find corresponding UDR with UE", util.USER_UNKNOWN)
logger.SmPolicyLog.Warnf("Can't find corresponding UDR with UE[%s]", ue.Supi)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
var smData models.SmPolicyData
smPolicyID := fmt.Sprintf("%s-%d", ue.Supi, request.PduSessionId)
smPolicyData := ue.SmPolicyData[smPolicyID]
if smPolicyData == nil || smPolicyData.SmPolicyData == nil {
client := util.GetNudrClient(udrUri)
param := Nudr_DataRepository.PolicyDataUesUeIdSmDataGetParamOpts{
Snssai: optional.NewInterface(util.MarshToJsonString(*request.SliceInfo)),
Dnn: optional.NewString(request.Dnn),
}
var response *http.Response
ctx, pd, err1 := p.Context().GetTokenCtx(models.ServiceName_NUDR_DR, models.NfType_UDR)
if err1 != nil {
c.JSON(int(pd.Status), pd)
return
}
smData, response, err1 = client.DefaultApi.PolicyDataUesUeIdSmDataGet(ctx, ue.Supi, ¶m)
if err1 != nil || response == nil || response.StatusCode != http.StatusOK {
problemDetail := util.GetProblemDetail("Can't find UE SM Policy Data in UDR", util.USER_UNKNOWN)
logger.SmPolicyLog.Warnf("Can't find UE[%s] SM Policy Data in UDR", ue.Supi)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
defer func() {
if rspCloseErr := response.Body.Close(); rspCloseErr != nil {
logger.SmPolicyLog.Errorf(
"PolicyDataUesUeIdSmDataGet response body cannot close: %+v", rspCloseErr)
}
}()
// TODO: subscribe to UDR
} else {
smData = *smPolicyData.SmPolicyData
}
amPolicy := ue.FindAMPolicy(request.AccessType, request.ServingNetwork)
if amPolicy == nil {
problemDetail := util.GetProblemDetail("Can't find corresponding AM Policy", util.POLICY_CONTEXT_DENIED)
logger.SmPolicyLog.Warnf("Can't find corresponding AM Policy")
c.JSON(int(problemDetail.Status), problemDetail)
return
}
// TODO: check service restrict
if ue.Gpsi == "" {
ue.Gpsi = request.Gpsi
}
if ue.Pei == "" {
ue.Pei = request.Pei
}
if smPolicyData != nil {
delete(ue.SmPolicyData, smPolicyID)
}
smPolicyData = ue.NewUeSmPolicyData(smPolicyID, request, &smData)
// Policy Decision
decision := models.SmPolicyDecision{
SessRules: make(map[string]*models.SessionRule),
PccRules: make(map[string]*models.PccRule),
TraffContDecs: make(map[string]*models.TrafficControlData),
}
SessRuleId := fmt.Sprintf("SessRuleId-%d", request.PduSessionId)
sessRule := models.SessionRule{
AuthSessAmbr: request.SubsSessAmbr,
SessRuleId: SessRuleId,
// RefUmData
// RefCondData
}
defQos := request.SubsDefQos
if defQos != nil {
sessRule.AuthDefQos = &models.AuthorizedDefaultQos{
Var5qi: defQos.Var5qi,
Arp: defQos.Arp,
PriorityLevel: defQos.PriorityLevel,
// AverWindow
// MaxDataBurstVol
}
}
decision.SessRules[SessRuleId] = &sessRule
// TODO: See how UDR used
dnnData := util.GetSMPolicyDnnData(smData, request.SliceInfo, request.Dnn)
if dnnData != nil {
decision.Online = dnnData.Online
decision.Offline = dnnData.Offline
decision.Ipv4Index = dnnData.Ipv4Index
decision.Ipv6Index = dnnData.Ipv6Index
// Set Aggregate GBR if exist
if dnnData.GbrDl != "" {
var gbrDL float64
gbrDL, err = pcf_context.ConvertBitRateToKbps(dnnData.GbrDl)
if err != nil {
logger.SmPolicyLog.Warnf(err.Error())
} else {
smPolicyData.RemainGbrDL = &gbrDL
logger.SmPolicyLog.Tracef("SM Policy Dnn[%s] Data Aggregate DL GBR[%.2f Kbps]", request.Dnn, gbrDL)
}
}
if dnnData.GbrUl != "" {
var gbrUL float64
gbrUL, err = pcf_context.ConvertBitRateToKbps(dnnData.GbrUl)
if err != nil {
logger.SmPolicyLog.Warnf(err.Error())
} else {
smPolicyData.RemainGbrUL = &gbrUL
logger.SmPolicyLog.Tracef("SM Policy Dnn[%s] Data Aggregate UL GBR[%.2f Kbps]", request.Dnn, gbrUL)
}
}
} else {
logger.SmPolicyLog.Warnf(
"Policy Subscription Info: SMPolicyDnnData is null for dnn[%s] in UE[%s]", request.Dnn, ue.Supi)
decision.Online = request.Online
decision.Offline = request.Offline
}
filter := bson.M{"ueId": ue.Supi, "snssai": util.SnssaiModelsToHex(*request.SliceInfo), "dnn": request.Dnn}
qosFlowInterface, err := mongoapi.RestfulAPIGetMany(qosFlowDataColl, filter, queryStrength)
if err != nil {
logger.SmPolicyLog.Errorf("createSMPolicyProcedure error: %+v", err)
}
// get qos flows from databases
for _, qosFlow := range qosFlowInterface {
qosData := newQosDataWithQosFlowMap(qosFlow)
if decision.QosDecs == nil {
decision.QosDecs = make(map[string]*models.QosData)
}
decision.QosDecs[qosData.QosId] = qosData
}
// get flow rules from databases
flowRulesInterface, err := mongoapi.RestfulAPIGetMany(flowRuleDataColl, filter, queryStrength)
if err != nil {
logger.SmPolicyLog.Errorf("createSMPolicyProcedure error: %+v", err)
}
pcc := util.CreateDefaultPccRules(smPolicyData.PccRuleIdGenerator)
smPolicyData.PccRuleIdGenerator++
filterCharging := bson.M{
"ueId": ue.Supi,
"snssai": util.SnssaiModelsToHex(*request.SliceInfo),
"dnn": "",
"filter": "",
}
chargingInterface, err := mongoapi.RestfulAPIGetOne(chargingDataColl, filterCharging, queryStrength)
var defaultChgData *models.ChargingData
if err != nil {
logger.SmPolicyLog.Errorf("Fail to get charging data to mongoDB err: %+v", err)
logger.SmPolicyLog.Errorf("chargingInterface %+v", chargingInterface)
util.SetPccRuleRelatedData(&decision, pcc, nil, nil, nil, nil)
} else if chargingInterface != nil {
rg, err1 := p.Context().RatingGroupIdGenerator.Allocate()
if err1 != nil {
logger.SmPolicyLog.Error("rating group allocate error")
problemDetails := util.GetProblemDetail("rating group allocate error", util.ERROR_IDGENERATOR)
c.JSON(int(problemDetails.Status), problemDetails)
return
}
chgData := &models.ChargingData{
ChgId: util.GetChgId(smPolicyData.ChargingIdGenerator),
RatingGroup: int32(rg),
ReportingLevel: models.ReportingLevel_RAT_GR_LEVEL,
MeteringMethod: models.MeteringMethod_VOLUME,
}
defaultChgData = chgData
switch chargingInterface["chargingMethod"].(string) {
case "Online":
chgData.Online = true
chgData.Offline = false
case "Offline":
chgData.Online = false
chgData.Offline = true
}
util.SetPccRuleRelatedData(&decision, pcc, nil, nil, chgData, nil)
chargingInterface["ratingGroup"] = chgData.RatingGroup
logger.SmPolicyLog.Tracef("put ratingGroup[%+v] for [%+v] to MongoDB", chgData.RatingGroup, ue.Supi)
if _, err = mongoapi.RestfulAPIPutOne(
chargingDataColl, chargingInterface, chargingInterface, queryStrength); err != nil {
logger.SmPolicyLog.Errorf("Fail to put charging data to mongoDB err: %+v", err)
}
if ue.RatingGroupData == nil {
ue.RatingGroupData = make(map[string][]int32)
}
ue.RatingGroupData[smPolicyID] = append(ue.RatingGroupData[smPolicyID], chgData.RatingGroup)
smPolicyData.ChargingIdGenerator++
}
chgDataMap := map[string]*models.ChargingData{}
logger.SmPolicyLog.Traceln("FlowRules for ueId:", ue.Supi, "snssai:", util.SnssaiModelsToHex(*request.SliceInfo))
for i, flowRule := range flowRulesInterface {
logger.SmPolicyLog.Tracef("flowRule %d: %s\n", i, openapi.MarshToJsonString(flowRule))
precedence := int32(flowRule["precedence"].(float64))
if val, ok := flowRule["filter"].(string); ok {
tokens := strings.Split(val, " ")
FlowDescription := flowdesc.NewIPFilterRule()
FlowDescription.Action = flowdesc.Permit
FlowDescription.Dir = flowdesc.Out
FlowDescription.Src = tokens[0]
FlowDescription.Dst = "assigned" // Hardcode destination (TS 29.212 5.4.2)
var err1, err2 error
portLowerBound := 1
portUpperBound := 65535
if len(tokens) > 1 {
portLowerBound, err1 = strconv.Atoi(strings.Split(tokens[1], "-")[0])
portUpperBound, err2 = strconv.Atoi(strings.Split(tokens[1], "-")[1])
}
if err1 != nil || err2 != nil {
logger.SmPolicyLog.Warnln("Wrong Port format in IP Filter's setting:", tokens[1], ", set to 1-65535")
}
if !(portLowerBound <= 1 && portUpperBound >= 65535) { // Port range need to be assigned
FlowDescription.SrcPorts = flowdesc.PortRanges{
flowdesc.PortRange{
Start: uint16(portLowerBound),
End: uint16(portUpperBound),
},
}
}
var FlowDescriptionStr string
FlowDescriptionStr, err = flowdesc.Encode(FlowDescription)
if err != nil {
logger.SmPolicyLog.Errorf("Error occurs when encoding flow despcription: %s\n", err)
}
pccRule := util.CreatePccRule(smPolicyData.PccRuleIdGenerator, precedence, []models.FlowInformation{
{
FlowDescription: FlowDescriptionStr,
FlowDirection: models.FlowDirectionRm_DOWNLINK,
},
}, "")
filterCharging := bson.M{
"ueId": ue.Supi,
"snssai": util.SnssaiModelsToHex(*request.SliceInfo),
"dnn": request.Dnn,
"filter": val,
}
var chargingInterface map[string]interface{}
chargingInterface, err = mongoapi.RestfulAPIGetOne(chargingDataColl, filterCharging, 2)
if err != nil {
logger.SmPolicyLog.Errorf("Fail to get charging data to mongoDB err: %+v", err)
} else {
rg, err1 := p.Context().RatingGroupIdGenerator.Allocate()
if err1 != nil {
logger.SmPolicyLog.Error("rating group allocate error")
problemDetails := util.GetProblemDetail("rating group allocate error", util.ERROR_IDGENERATOR)
c.JSON(int(problemDetails.Status), problemDetails)
return
}
chgData := &models.ChargingData{
ChgId: util.GetChgId(smPolicyData.ChargingIdGenerator),
RatingGroup: int32(rg),
ReportingLevel: models.ReportingLevel_RAT_GR_LEVEL,
MeteringMethod: models.MeteringMethod_VOLUME,
}
chgDataMap[val] = chgData
switch chargingInterface["chargingMethod"].(string) {
case "Online":
chgData.Online = true
chgData.Offline = false
case "Offline":
chgData.Online = false
chgData.Offline = true
}
if decision.ChgDecs == nil {
decision.ChgDecs = make(map[string]*models.ChargingData)
}
chargingInterface["ratingGroup"] = chgData.RatingGroup
logger.SmPolicyLog.Tracef("put ratingGroup[%+v] for [%+v] to MongoDB", chgData.RatingGroup, ue.Supi)
if _, err = mongoapi.RestfulAPIPutOne(
chargingDataColl, chargingInterface, chargingInterface, queryStrength); err != nil {
logger.SmPolicyLog.Errorf("Fail to put charging data to mongoDB err: %+v", err)
} else {
util.SetPccRuleRelatedData(&decision, pccRule, nil, nil, chgData, nil)
smPolicyData.ChargingIdGenerator++
}
if ue.RatingGroupData == nil {
ue.RatingGroupData = make(map[string][]int32)
}
ue.RatingGroupData[smPolicyID] = append(ue.RatingGroupData[smPolicyID], chgData.RatingGroup)
}
qosRef := strconv.Itoa(int(flowRule["qosRef"].(float64)))
util.SetPccRuleRelatedByQosRef(&decision, pccRule, qosRef)
smPolicyData.PccRuleIdGenerator++
}
}
requestSuppFeat, err := openapi.NewSupportedFeature(request.SuppFeat)
if err != nil {
logger.SmPolicyLog.Errorf("openapi NewSupportedFeature error: %+v", err)
}
decision.SuppFeat = pcfSelf.PcfSuppFeats[models.ServiceName_NPCF_SMPOLICYCONTROL].
NegotiateWith(requestSuppFeat).String()
decision.QosFlowUsage = request.QosFlowUsage
// TODO: Trigger about UMC, ADC, NetLoc,...
decision.PolicyCtrlReqTriggers = util.PolicyControlReqTrigToArray(0x40780f)
smPolicyData.PolicyDecision = &decision
// TODO: PCC rule, PraInfo ...
// Get Application Data Influence Data from UDR
trafficInfluDatas, pd, err := p.Consumer().GetAfInfluenceData(
ue,
request.Supi,
request.Dnn,
request.InterGrpIds,
request.SliceInfo,
)
if err != nil {
c.JSON(int(pd.Status), pd)
return
}
logger.SmPolicyLog.Infof("Matched [%d] trafficInfluDatas from UDR", len(trafficInfluDatas))
if len(trafficInfluDatas) != 0 {
// UE identity in UDR appData and apply appData to sm poliocy
var precedence int32 = 23
for _, tiData := range trafficInfluDatas {
pccRule := util.CreatePccRule(smPolicyData.PccRuleIdGenerator, precedence, nil, tiData.AfAppId)
// TODO: select charging data based on the filter (see chgDataMap)
util.SetPccRuleRelatedData(&decision, pccRule, nil, nil, defaultChgData, nil)
util.SetSmPolicyDecisionByTrafficInfluData(&decision, pccRule, tiData)
influenceID := getInfluenceID(tiData.ResUri)
if influenceID != "" {
smPolicyData.InfluenceDataToPccRule[influenceID] = pccRule.PccRuleId
}
smPolicyData.PccRuleIdGenerator++
if precedence < Precedence_Maximum {
precedence++
}
}
}
// Subscribe to Traffic Influence Data in UDR
subscriptionID, problemDetail, err := p.Consumer().CreateInfluenceDataSubscription(ue, request)
if problemDetail != nil {
logger.SmPolicyLog.Errorf("Subscribe UDR Influence Data Failed Problem[%+v]", problemDetail)
} else if err != nil {
logger.SmPolicyLog.Errorf("Subscribe UDR Influence Data Error[%v]", err.Error())
}
smPolicyData.SubscriptionID = subscriptionID
// Create PCF binding data to BSF
policyAuthorizationService := p.Context().NfService[models.ServiceName_NPCF_POLICYAUTHORIZATION]
pcfBinding := models.PcfBinding{
Supi: request.Supi,
Gpsi: request.Gpsi,
Ipv4Addr: request.Ipv4Address,
Ipv6Prefix: request.Ipv6AddressPrefix,
IpDomain: request.IpDomain,
Dnn: request.Dnn,
Snssai: request.SliceInfo,
PcfFqdn: policyAuthorizationService.ApiPrefix,
PcfIpEndPoints: *policyAuthorizationService.IpEndPoints,
}
// TODO: Record BSF URI instead of discovering from NRF every time
bsfUri := p.Consumer().SendNFInstancesBSF(p.Context().NrfUri)
if bsfUri != "" {
bsfClient := util.GetNbsfClient(bsfUri)
ctx, pd, err := p.Context().GetTokenCtx(models.ServiceName_NBSF_MANAGEMENT, models.NfType_BSF)
if err != nil {
c.JSON(int(pd.Status), pd)
return
}
_, resp, err := bsfClient.PCFBindingsCollectionApi.CreatePCFBinding(ctx, pcfBinding)
if err != nil || resp == nil || resp.StatusCode != http.StatusCreated {
logger.SmPolicyLog.Warnf("Create PCF binding data in BSF error[%+v]", err)
// Uncomment the following to return error response --> PDU SessEstReq will fail
// problemDetail := util.GetProblemDetail("Cannot create PCF binding data in BSF", "")
// return nil, nil, &problemDetail
}
if resp != nil {
if err := resp.Body.Close(); err != nil {
logger.SmPolicyLog.Warnf("failed to close response of Create PCF binding")
}
}
}
locationHeader := util.GetResourceUri(models.ServiceName_NPCF_SMPOLICYCONTROL, smPolicyID)
c.Header("Location", locationHeader)
logger.SmPolicyLog.Tracef("SMPolicy PduSessionId[%d] Create", request.PduSessionId)
c.JSON(http.StatusCreated, decision)
}
func newQosDataWithQosFlowMap(qosFlow map[string]interface{}) *models.QosData {
qosData := &models.QosData{
QosId: strconv.Itoa(int(qosFlow["qosRef"].(float64))),
Qnc: false,
Var5qi: int32(qosFlow["5qi"].(float64)),
}
if qosFlow["mbrUL"] != nil {
qosData.MaxbrUl = qosFlow["mbrUL"].(string)
}
if qosFlow["mbrDL"] != nil {
qosData.MaxbrDl = qosFlow["mbrDL"].(string)
}
if qosFlow["gbrUL"] != nil {
qosData.GbrUl = qosFlow["gbrUL"].(string)
}
if qosFlow["gbrDL"] != nil {
qosData.GbrDl = qosFlow["gbrDL"].(string)
}
return qosData
}
// SmPoliciessmPolicyIDDeletePost -
func (p *Processor) HandleDeleteSmPolicyContextRequest(
c *gin.Context,
smPolicyId string,
) {
logger.SmPolicyLog.Infof("Handle DeleteSmPolicyContext")
// handle the message
logger.AmPolicyLog.Traceln("Handle SM Policy Delete")
ue := p.Context().PCFUeFindByPolicyId(smPolicyId)
if ue == nil || ue.SmPolicyData[smPolicyId] == nil {
problemDetail := util.GetProblemDetail("smPolicyID not found in PCF", util.CONTEXT_NOT_FOUND)
logger.SmPolicyLog.Warnf(problemDetail.Detail)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
pcfSelf := p.Context()
smPolicy := ue.SmPolicyData[smPolicyId]
problemDetail, err := p.Consumer().RemoveInfluenceDataSubscription(ue, smPolicy.SubscriptionID)
if problemDetail != nil {
logger.SmPolicyLog.Errorf("Remove UDR Influence Data Subscription Failed Problem[%+v]", problemDetail)
} else if err != nil {
logger.SmPolicyLog.Errorf("Remove UDR Influence Data Subscription Error[%v]", err.Error())
}
// Unsubscrice UDR
delete(ue.SmPolicyData, smPolicyId)
logger.SmPolicyLog.Tracef("SMPolicy smPolicyID[%s] DELETE", smPolicyId)
// Release related App Session
terminationInfo := models.TerminationInfo{
TermCause: models.TerminationCause_PDU_SESSION_TERMINATION,
}
for appSessionID := range smPolicy.AppSessions {
if val, exist := pcfSelf.AppSessionPool.Load(appSessionID); exist {
appSession := val.(*pcf_context.AppSessionData)
p.SendAppSessionTermination(appSession, terminationInfo)
pcfSelf.AppSessionPool.Delete(appSessionID)
logger.SmPolicyLog.Tracef("SMPolicy[%s] DELETE Related AppSession[%s]", smPolicyId, appSessionID)
}
}
for _, ratingGroup := range ue.RatingGroupData[smPolicyId] {
pcfSelf.RatingGroupIdGenerator.FreeID(int64(ratingGroup))
filterCharging := bson.M{
"ratingGroup": ratingGroup,
}
err := mongoapi.RestfulAPIDeleteMany(chargingDataColl, filterCharging)
if err != nil {
logger.SmPolicyLog.Errorf("Fail to delete charging data, ratingGroup: %+v, err: %+v", ratingGroup, err)
}
}
delete(ue.RatingGroupData, smPolicyId)
c.JSON(http.StatusNoContent, nil)
}
func (p *Processor) HandleGetSmPolicyContextRequest(
c *gin.Context,
smPolicyId string,
) {
logger.SmPolicyLog.Infof("Handle GetSmPolicyContext")
// handle the message
logger.SmPolicyLog.Traceln("Handle GET SM Policy Request")
ue := p.Context().PCFUeFindByPolicyId(smPolicyId)
if ue == nil || ue.SmPolicyData[smPolicyId] == nil {
problemDetail := util.GetProblemDetail("smPolicyID not found in PCF", util.CONTEXT_NOT_FOUND)
logger.SmPolicyLog.Warnf(problemDetail.Detail)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
smPolicyData := ue.SmPolicyData[smPolicyId]
response := &models.SmPolicyControl{
Policy: smPolicyData.PolicyDecision,
Context: smPolicyData.PolicyContext,
}
logger.SmPolicyLog.Tracef("SMPolicy smPolicyID[%s] GET", smPolicyId)
c.JSON(http.StatusOK, response)
}
func (p *Processor) HandleUpdateSmPolicyContextRequest(
c *gin.Context,
smPolicyId string,
request models.SmPolicyUpdateContextData,
) {
logger.SmPolicyLog.Infof("Handle UpdateSmPolicyContext")
logger.SmPolicyLog.Traceln("Handle updateSmPolicyContext")
ue := p.Context().PCFUeFindByPolicyId(smPolicyId)
if ue == nil || ue.SmPolicyData[smPolicyId] == nil {
problemDetail := util.GetProblemDetail("smPolicyID not found in PCF", util.CONTEXT_NOT_FOUND)
logger.SmPolicyLog.Warnf(problemDetail.Detail)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
smPolicy := ue.SmPolicyData[smPolicyId]
smPolicyDecision := smPolicy.PolicyDecision
smPolicyContext := smPolicy.PolicyContext
errCause := ""
// For App Session Notification
afEventsNotification := models.EventsNotification{}
for _, trigger := range request.RepPolicyCtrlReqTriggers {
switch trigger {
case models.PolicyControlRequestTrigger_PLMN_CH: // PLMN Change
if request.ServingNetwork == nil {
errCause = "Serving Network is nil in Trigger PLMN_CH"
break
}
smPolicyContext.ServingNetwork = request.ServingNetwork
afEventsNotification.PlmnId = &models.PlmnId{
Mcc: request.ServingNetwork.Mcc,
Mnc: request.ServingNetwork.Mnc,
}
afNotif := models.AfEventNotification{
Event: models.AfEvent_PLMN_CHG,
}
afEventsNotification.EvNotifs = append(afEventsNotification.EvNotifs, afNotif)
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_RES_MO_RE:
// UE intiate resource modification to SMF (subsclause 4.2.4.17 in TS29512)
req := request.UeInitResReq
if req == nil {
errCause = "UeInitResReq is nil in Trigger RES_MO_RE"
break
}
switch req.RuleOp {
case models.RuleOperation_CREATE_PCC_RULE:
if req.ReqQos == nil || len(req.PackFiltInfo) < 1 {
errCause = "Parameter Erroneous/Missing in Create Pcc Rule"
break
}
// TODO: Packet Filters are covered by outstanding pcc rule
id := smPolicy.PccRuleIdGenerator
infos := util.ConvertPacketInfoToFlowInformation(req.PackFiltInfo)
// Set PackFiltId
for i := range infos {
infos[i].PackFiltId = util.GetPackFiltId(smPolicy.PackFiltIdGenerator)
smPolicy.PackFiltIdGenerator++
}
pccRule := util.CreatePccRule(id, req.Precedence, infos, "")
// Add Traffic control Data
tcData := util.CreateTcData(id, "", "")
// TODO: ARP use real Data
qosData := util.CreateQosData(id, req.ReqQos.Var5qi, 15)
// TODO: Set MBR
var err error
// Set GBR
qosData.GbrDl, qosData.GbrUl, err = smPolicy.DecreaseRemainGBR(req.ReqQos)
if err != nil {
problemDetail := util.GetProblemDetail(err.Error(), util.ERROR_TRAFFIC_MAPPING_INFO_REJECTED)
logger.SmPolicyLog.Warnf(problemDetail.Detail)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
if qosData.GbrDl != "" {
logger.SmPolicyLog.Tracef("SM Policy Dnn[%s] Data Aggregate decrease %s and then DL GBR remain[%.2f Kbps]",
smPolicyContext.Dnn, qosData.GbrDl, *smPolicy.RemainGbrDL)
}
if qosData.GbrUl != "" {
logger.SmPolicyLog.Tracef("SM Policy Dnn[%s] Data Aggregate decrease %s and then UL GBR remain[%.2f Kbps]",
smPolicyContext.Dnn, qosData.GbrUl, *smPolicy.RemainGbrUL)
}
util.SetPccRuleRelatedData(smPolicyDecision, pccRule, tcData, &qosData, nil, nil)
// link Packet filters to PccRule
for _, info := range infos {
smPolicy.PackFiltMapToPccRuleId[info.PackFiltId] = pccRule.PccRuleId
}
smPolicy.PccRuleIdGenerator++
case models.RuleOperation_DELETE_PCC_RULE:
if req.PccRuleId == "" {
errCause = "Parameter Erroneous/Missing in Create Pcc Rule"
break
}
err := smPolicy.RemovePccRule(req.PccRuleId, nil)
if err != nil {
errCause = err.Error()
}
case models.RuleOperation_MODIFY_PCC_RULE_AND_ADD_PACKET_FILTERS,
models.RuleOperation_MODIFY_PCC_RULE_AND_REPLACE_PACKET_FILTERS,
models.RuleOperation_MODIFY_PCC_RULE_AND_DELETE_PACKET_FILTERS,
models.RuleOperation_MODIFY_PCC_RULE_WITHOUT_MODIFY_PACKET_FILTERS:
if req.PccRuleId == "" ||
(req.RuleOp != models.RuleOperation_MODIFY_PCC_RULE_WITHOUT_MODIFY_PACKET_FILTERS &&
len(req.PackFiltInfo) < 1) {
errCause = "Parameter Erroneous/Missing in Modify Pcc Rule"
break
}
if rule, exist := smPolicyDecision.PccRules[req.PccRuleId]; exist {
// Modify Qos if included
rule.Precedence = req.Precedence
if req.ReqQos != nil && len(rule.RefQosData) != 0 {
qosId := rule.RefQosData[0]
if qosData, exist := smPolicyDecision.QosDecs[qosId]; exist {
origUl, origDl := smPolicy.IncreaseRemainGBR(qosId)
gbrDl, gbrUl, err := smPolicy.DecreaseRemainGBR(req.ReqQos)
if err != nil {
smPolicy.RemainGbrDL = origDl
smPolicy.RemainGbrUL = origUl
problemDetail := util.GetProblemDetail(err.Error(), util.ERROR_TRAFFIC_MAPPING_INFO_REJECTED)
logger.SmPolicyLog.Warnf(problemDetail.Detail)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
qosData.Var5qi = req.ReqQos.Var5qi
qosData.GbrDl = gbrDl
qosData.GbrUl = gbrUl
if qosData.GbrDl != "" {
logger.SmPolicyLog.Tracef("SM Policy Dnn[%s] Data Aggregate decrease %s and then DL GBR remain[%.2f Kbps]",
smPolicyContext.Dnn, qosData.GbrDl, *smPolicy.RemainGbrDL)
}
if qosData.GbrUl != "" {
logger.SmPolicyLog.Tracef("SM Policy Dnn[%s] Data Aggregate decrease %s and then UL GBR remain[%.2f Kbps]",
smPolicyContext.Dnn, qosData.GbrUl, *smPolicy.RemainGbrUL)
}
smPolicyDecision.QosDecs[qosId] = qosData
} else {
errCause = "Parameter Erroneous/Missing in Modify Pcc Rule"
break
}
}
infos := util.ConvertPacketInfoToFlowInformation(req.PackFiltInfo)
switch req.RuleOp {
case models.RuleOperation_MODIFY_PCC_RULE_AND_ADD_PACKET_FILTERS:
// Set PackFiltId
for i := range infos {
infos[i].PackFiltId = util.GetPackFiltId(smPolicy.PackFiltIdGenerator)
smPolicy.PackFiltMapToPccRuleId[infos[i].PackFiltId] = req.PccRuleId
smPolicy.PackFiltIdGenerator++
}
rule.FlowInfos = append(rule.FlowInfos, infos...)
case models.RuleOperation_MODIFY_PCC_RULE_AND_REPLACE_PACKET_FILTERS:
// Replace all Packet Filters
for _, info := range rule.FlowInfos {
delete(smPolicy.PackFiltMapToPccRuleId, info.PackFiltId)
}
// Set PackFiltId
for i := range infos {
infos[i].PackFiltId = util.GetPackFiltId(smPolicy.PackFiltIdGenerator)
smPolicy.PackFiltMapToPccRuleId[infos[i].PackFiltId] = req.PccRuleId
smPolicy.PackFiltIdGenerator++
}
rule.FlowInfos = infos
case models.RuleOperation_MODIFY_PCC_RULE_AND_DELETE_PACKET_FILTERS:
removeId := make(map[string]bool)
for _, info := range infos {
delete(smPolicy.PackFiltMapToPccRuleId, info.PackFiltId)
removeId[info.PackFiltId] = true
}
result := []models.FlowInformation{}
for _, info := range rule.FlowInfos {
if _, exist := removeId[info.PackFiltId]; !exist {
result = append(result, info)
}
}
rule.FlowInfos = result
}
smPolicyDecision.PccRules[req.PccRuleId] = rule
} else {
errCause = fmt.Sprintf("Can't find the pccRuleId[%s] in Session[%d]", req.PccRuleId, smPolicyContext.PduSessionId)
}
}
case models.PolicyControlRequestTrigger_AC_TY_CH: // UE Access Type Change (subsclause 4.2.4.8 in TS29512)
if request.AccessType == "" {
errCause = "Access Type is empty in Trigger AC_TY_CH"
break
}
// if request.AccessType == models.AccessType__3_GPP_ACCESS && smPolicyContext.Var3gppPsDataOffStatus {
// TODO: Handle Data off Status
// Block Session Service except for Exempt Serice which is described in TS22011, TS 23221
// }
smPolicyContext.AccessType = request.AccessType
afEventsNotification.AccessType = request.AccessType
if request.RatType != "" {
smPolicyContext.RatType = request.RatType
afEventsNotification.RatType = request.RatType
}
afNotif := models.AfEventNotification{
Event: models.AfEvent_ACCESS_TYPE_CHANGE,
}
afEventsNotification.EvNotifs = append(afEventsNotification.EvNotifs, afNotif)
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_UE_IP_CH: // SMF notice PCF "ipv4Address" & ipv6AddressPrefix (always)
// TODO: Decide new Session Rule / Pcc rule
if request.RelIpv4Address == smPolicyContext.Ipv4Address {
smPolicyContext.Ipv4Address = ""
}
if request.RelIpv6AddressPrefix == smPolicyContext.Ipv6AddressPrefix {
smPolicyContext.Ipv6AddressPrefix = ""
}
if request.Ipv4Address != "" {
smPolicyContext.Ipv4Address = request.Ipv4Address
}
if request.Ipv6AddressPrefix != "" {
smPolicyContext.Ipv6AddressPrefix = request.Ipv6AddressPrefix
}
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_UE_MAC_CH: // SMF notice PCF when SMF detect new UE MAC
case models.PolicyControlRequestTrigger_AN_CH_COR:
// Access Network Charging Correlation Info (subsclause 4.2.6.5.1, 4.2.4.13 in TS29512)
// request.AccNetChIds
case models.PolicyControlRequestTrigger_US_RE: // UMC (subsclause 4.2.4.10, 5.8 in TS29512)
afNotif := models.AfEventNotification{
Event: models.AfEvent_USAGE_REPORT,
}
afEventsNotification.EvNotifs = append(afEventsNotification.EvNotifs, afNotif)
case models.PolicyControlRequestTrigger_APP_STA: // ADC (subsclause 4.2.4.6, 5.8 in TS29512)
// request.AppDetectionInfos
case models.PolicyControlRequestTrigger_APP_STO: // ADC (subsclause 4.2.4.6, 5.8 in TS29512)
// request.AppDetectionInfos
case models.PolicyControlRequestTrigger_AN_INFO: // NetLoc (subsclause 4.2.4.9, 5.8 in TS29512)
case models.PolicyControlRequestTrigger_CM_SES_FAIL: // Credit Management Session Failure
// request.CreditManageStatus
case models.PolicyControlRequestTrigger_PS_DA_OFF:
// 3GPP PS Data Off status changed (subsclause 4.2.4.8, 5.8 in TS29512) (always)
if smPolicyContext.Var3gppPsDataOffStatus != request.Var3gppPsDataOffStatus {
// TODO: Handle Data off Status
// if request.Var3gppPsDataOffStatus {
// Block Session Service except for Exempt Serice which is described in TS22011, TS 23221
// } else {
// UnBlock Session Service
// }
smPolicyContext.Var3gppPsDataOffStatus = request.Var3gppPsDataOffStatus
}
case models.PolicyControlRequestTrigger_DEF_QOS_CH:
// Default QoS Change (subsclause 4.2.4.5 in TS29512) (always)
if request.SubsDefQos == nil {
errCause = "SubsDefQos is nil in Trigger DEF_QOS_CH"
break
}
smPolicyContext.SubsDefQos = request.SubsDefQos
sessRuleId := fmt.Sprintf("SessRuleId-%d", smPolicyContext.PduSessionId)
if smPolicyDecision.SessRules[sessRuleId].AuthDefQos == nil {
tmp := smPolicyDecision.SessRules[sessRuleId]
tmp.AuthDefQos = new(models.AuthorizedDefaultQos)
smPolicyDecision.SessRules[sessRuleId] = tmp
}
authQos := smPolicyDecision.SessRules[sessRuleId].AuthDefQos
authQos.Var5qi = request.SubsDefQos.Var5qi
authQos.Arp = request.SubsDefQos.Arp
authQos.PriorityLevel = request.SubsDefQos.PriorityLevel
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_SE_AMBR_CH: // Session Ambr Change (subsclause 4.2.4.4 in TS29512) (always)
if request.SubsSessAmbr == nil {
errCause = "SubsSessAmbr is nil in Trigger SE_AMBR_CH"
break
}
smPolicyContext.SubsSessAmbr = request.SubsSessAmbr
sessRuleId := fmt.Sprintf("SessRuleId-%d", smPolicyContext.PduSessionId)
if smPolicyDecision.SessRules[sessRuleId].AuthSessAmbr == nil {
tmp := smPolicyDecision.SessRules[sessRuleId]
tmp.AuthSessAmbr = new(models.Ambr)
smPolicyDecision.SessRules[sessRuleId] = tmp
}
*smPolicyDecision.SessRules[sessRuleId].AuthSessAmbr = *request.SubsSessAmbr
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_QOS_NOTIF:
// SMF notify PCF when receiving from RAN that QoS can/can't be guaranteed (subsclause 4.2.4.20 in TS29512) (always)
// request.QncReports
afNotif := models.AfEventNotification{
Event: models.AfEvent_QOS_NOTIF,
}
afEventsNotification.EvNotifs = append(afEventsNotification.EvNotifs, afNotif)
afEventsNotification.QncReports = request.QncReports
case models.PolicyControlRequestTrigger_NO_CREDIT: // Out of Credit
case models.PolicyControlRequestTrigger_PRA_CH: // Presence Reporting (subsclause 4.2.6.5.6, 4.2.4.16, 5.8 in TS29512)
// request.RepPraInfos
case models.PolicyControlRequestTrigger_SAREA_CH: // Change Of Service Area
if request.UserLocationInfo == nil {
errCause = "UserLocationInfo is nil in Trigger SAREA_CH"
break
}
smPolicyContext.UserLocationInfo = request.UserLocationInfo
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_SCNN_CH: // Change of Serving Network Function
if request.ServNfId == nil {
errCause = "ServNfId is nil in Trigger SCNN_CH"
break
}
smPolicyContext.ServNfId = request.ServNfId
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_RE_TIMEOUT: // Revalidation TimeOut (subsclause 4.2.4.13 in TS29512)
// formatTimeStr := time.Now()
// formatTimeStr = formatTimeStr.Add(time.Second * 60)
// formatTimeStrAdd := formatTimeStr.Format(pcf_context.GetTimeformat())
// formatTime, err := time.Parse(pcf_context.GetTimeformat(), formatTimeStrAdd)
// if err == nil {
// smPolicyDecision.RevalidationTime = &formatTime
// }
case models.PolicyControlRequestTrigger_RES_RELEASE:
// Outcome of request Pcc rule removal (subsclause 4.2.6.5.2, 5.8 in TS29512)
case models.PolicyControlRequestTrigger_SUCC_RES_ALLO:
// Successful resource allocation (subsclause 4.2.6.5.5, 4.2.4.14 in TS29512)
afNotif := models.AfEventNotification{
Event: models.AfEvent_SUCCESSFUL_RESOURCES_ALLOCATION,
}
afEventsNotification.EvNotifs = append(afEventsNotification.EvNotifs, afNotif)
case models.PolicyControlRequestTrigger_RAT_TY_CH: // Change of RatType
if request.RatType == "" {
errCause = "RatType is empty in Trigger RAT_TY_CH"
break
}
smPolicyContext.RatType = request.RatType
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_REF_QOS_IND_CH: // Change of reflective Qos Indication from UE
smPolicyContext.RefQosIndication = request.RefQosIndication
// TODO: modify Decision about RefQos in Pcc rule
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
case models.PolicyControlRequestTrigger_NUM_OF_PACKET_FILTER: // Interworking Only (always)
case models.PolicyControlRequestTrigger_UE_STATUS_RESUME: // UE State Resume
// TODO
case models.PolicyControlRequestTrigger_UE_TZ_CH: // UE TimeZome Change
if request.UeTimeZone == "" {
errCause = "Ue TimeZone is empty in Trigger UE_TZ_CH"
break
}
smPolicyContext.UeTimeZone = request.UeTimeZone
logger.SmPolicyLog.Tracef("SM Policy Update(%s) Successfully", trigger)
}
}
var successRules, failRules []models.RuleReport
for _, rule := range request.RuleReports {
if rule.RuleStatus == models.RuleStatus_ACTIVE {
successRules = append(successRules, rule)
} else {
failRules = append(failRules, rule)
// release fail pccRules in SmPolicy
for _, pccRuleID := range rule.PccRuleIds {
if err := smPolicy.RemovePccRule(pccRuleID, nil); err != nil {
logger.SmPolicyLog.Warnf(
"SM Policy Notification about failed installing PccRule[%s]", err.Error())
}
}
}
}
if len(failRules) > 0 {
afNotif := models.AfEventNotification{
Event: models.AfEvent_FAILED_RESOURCES_ALLOCATION,
}
afEventsNotification.EvNotifs = append(afEventsNotification.EvNotifs, afNotif)
}
if afEventsNotification.EvNotifs != nil {
p.sendSmPolicyRelatedAppSessionNotification(
smPolicy, afEventsNotification, request.AccuUsageReports, successRules, failRules)
}
if errCause != "" {
problemDetail := util.GetProblemDetail(errCause, util.ERROR_TRIGGER_EVENT)
logger.SmPolicyLog.Warnf(errCause)
c.JSON(int(problemDetail.Status), problemDetail)
return
}
logger.SmPolicyLog.Tracef("SMPolicy smPolicyID[%s] Update", smPolicyId)
c.JSON(http.StatusOK, smPolicyDecision)
}
func (p *Processor) sendSmPolicyRelatedAppSessionNotification(smPolicy *pcf_context.UeSmPolicyData,
notification models.EventsNotification, usageReports []models.AccuUsageReport,
successRules, failRules []models.RuleReport,
) {
for appSessionId := range smPolicy.AppSessions {
if val, exist := p.Context().AppSessionPool.Load(appSessionId); exist {
appSession := val.(*pcf_context.AppSessionData)
if len(appSession.Events) == 0 {
continue
}
sessionNotif := models.EventsNotification{}
for _, notif := range notification.EvNotifs {
if _, found := appSession.Events[notif.Event]; found {
switch notif.Event {
case models.AfEvent_ACCESS_TYPE_CHANGE:
sessionNotif.AccessType = notification.AccessType
sessionNotif.RatType = notification.RatType
case models.AfEvent_FAILED_RESOURCES_ALLOCATION:
failItem := models.ResourcesAllocationInfo{
McResourcStatus: models.MediaComponentResourcesStatus_INACTIVE,
}
flows := make(map[int32]models.Flows)
for _, report := range failRules {
for _, pccRuleId := range report.PccRuleIds {
if key, exist := appSession.PccRuleIdMapToCompId[pccRuleId]; exist {
items := strings.Split(key, "-")
if items[0] != "appId" {
compN, err := strconv.Atoi(items[0])
if err != nil {
logger.SmPolicyLog.Errorf("strconv Atoi error %+v", err)
}
compN32 := int32(compN)
if len(items) == 1 {
// Comp
flow := models.Flows{
MedCompN: compN32,
}
failItem.Flows = append(failItem.Flows, flow)
} else if len(items) == 2 {
// have subComp
fNum, err := strconv.Atoi(items[1])
if err != nil {
logger.SmPolicyLog.Errorf("strconv Atoi error %+v", err)
}
fNum32 := int32(fNum)
flow, exist := flows[compN32]
if !exist {
flow = models.Flows{
MedCompN: compN32,
FNums: []int32{fNum32},
}
} else {
flow.FNums = append(flow.FNums, fNum32)