/* Real-time Online/Offline Charging System (OCS) for Telecom & ISP environments Copyright (C) ITsysCOM GmbH This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see */ package engine import ( "fmt" "reflect" "strings" "sync" "time" "github.com/ericlagergren/decimal" "github.com/cgrates/birpc/context" "github.com/cgrates/cgrates/config" "github.com/cgrates/cgrates/guardian" "github.com/cgrates/cgrates/utils" "go.mongodb.org/mongo-driver/bson" "go.mongodb.org/mongo-driver/bson/bsoncodec" "go.mongodb.org/mongo-driver/bson/bsonrw" "go.mongodb.org/mongo-driver/bson/bsontype" "go.mongodb.org/mongo-driver/mongo" "go.mongodb.org/mongo-driver/mongo/options" "go.mongodb.org/mongo-driver/x/bsonx" ) // Mongo collections names const ( ColDst = "destinations" ColRds = "reverse_destinations" ColAct = "actions" ColApl = "action_plans" ColAAp = "account_action_plans" ColTsk = "tasks" ColAtr = "action_triggers" ColRpl = "rating_plans" ColRpf = "rating_profiles" ColAcc = "accounts" ColShg = "shared_groups" ColLht = "load_history" ColVer = "versions" ColRsP = "resource_profiles" ColIndx = "indexes" ColRes = "resources" ColSqs = "statqueues" ColSqp = "statqueue_profiles" ColTps = "threshold_profiles" ColThs = "thresholds" ColFlt = "filters" ColRts = "route_profiles" ColAttr = "attribute_profiles" ColCDRs = "cdrs" ColCpp = "charger_profiles" ColDpp = "dispatcher_profiles" ColDph = "dispatcher_hosts" ColRpp = "rate_profiles" ColApp = "action_profiles" ColLID = "load_ids" ColAnp = "account_profiles" ) var ( MetaOriginLow = strings.ToLower(utils.MetaOriginID) RunIDLow = strings.ToLower(utils.RunID) OrderIDLow = strings.ToLower(utils.OrderID) OriginHostLow = strings.ToLower(utils.OriginHost) OriginIDLow = strings.ToLower(utils.OriginID) ToRLow = strings.ToLower(utils.ToR) CDRHostLow = strings.ToLower(utils.OriginHost) CDRSourceLow = strings.ToLower(utils.Source) RequestTypeLow = strings.ToLower(utils.RequestType) TenantLow = strings.ToLower(utils.Tenant) CategoryLow = strings.ToLower(utils.Category) AccountLow = strings.ToLower(utils.AccountField) SubjectLow = strings.ToLower(utils.Subject) SetupTimeLow = strings.ToLower(utils.SetupTime) AnswerTimeLow = strings.ToLower(utils.AnswerTime) CreatedAtLow = strings.ToLower(utils.CreatedAt) UpdatedAtLow = strings.ToLower(utils.UpdatedAt) UsageLow = strings.ToLower(utils.Usage) DestinationLow = strings.ToLower(utils.Destination) CostLow = strings.ToLower(utils.Cost) CostSourceLow = strings.ToLower(utils.CostSource) tTime = reflect.TypeOf(time.Time{}) decimalType = reflect.TypeOf(utils.Decimal{}) mongoReg *bsoncodec.Registry ) func init() { reg := bson.NewRegistryBuilder() reg.RegisterTypeDecoder(tTime, bsoncodec.ValueDecoderFunc(TimeDecodeValue1)) reg.RegisterTypeEncoder(decimalType, bsoncodec.ValueEncoderFunc(DecimalEncoder)) reg.RegisterTypeDecoder(decimalType, bsoncodec.ValueDecoderFunc(DecimalDecoder)) mongoReg = reg.Build() } func TimeDecodeValue1(dc bsoncodec.DecodeContext, vr bsonrw.ValueReader, val reflect.Value) error { if vr.Type() != bsontype.DateTime { return fmt.Errorf("cannot decode %v into a time.Time", vr.Type()) } dt, err := vr.ReadDateTime() if err != nil { return err } if !val.CanSet() || val.Type() != tTime { return bsoncodec.ValueDecoderError{Name: "TimeDecodeValue", Types: []reflect.Type{tTime}, Received: val} } val.Set(reflect.ValueOf(time.Unix(dt/1000, dt%1000*1000000).UTC())) return nil } func DecimalEncoder(ec bsoncodec.EncodeContext, vw bsonrw.ValueWriter, val reflect.Value) error { if val.Kind() != reflect.Struct { return bsoncodec.ValueEncoderError{Name: "DecimalEncoder", Kinds: []reflect.Kind{reflect.Struct}, Received: val} } d, ok := val.Interface().(utils.Decimal) if !ok { return fmt.Errorf("cannot cast <%+v> to ", val.Interface()) } sls, err := d.MarshalText() if err != nil { return err } return vw.WriteBinary(sls) } func DecimalDecoder(ec bsoncodec.DecodeContext, vw bsonrw.ValueReader, val reflect.Value) error { if !val.CanSet() || val.Type() != decimalType { return bsoncodec.ValueEncoderError{Name: "DecimalDecoder", Kinds: []reflect.Kind{reflect.Struct}, Received: val} } data, _, err := vw.ReadBinary() if err != nil { return err } dBig := decimal.WithContext(utils.DecimalContext) if err := dBig.UnmarshalText(data); err != nil { return err } val.Set(reflect.ValueOf(utils.Decimal{Big: dBig})) return nil } // NewMongoStorage givese new mongo driver func NewMongoStorage(host, port, db, user, pass, mrshlerStr, storageType string, cdrsIndexes []string, ttl time.Duration) (ms *MongoStorage, err error) { url := host if port != "0" { url += ":" + port } if user != "" && pass != "" { url = fmt.Sprintf("%s:%s@%s", user, pass, url) } var dbName string if db != "" { url += "/" + db dbName = strings.Split(db, "?")[0] // remove extra info after ? } ctx := context.TODO() url = "mongodb://" + url opt := options.Client(). ApplyURI(url). SetRegistry(mongoReg). SetServerSelectionTimeout(ttl). SetRetryWrites(false) // set this option to false because as default it is on true client, err := mongo.NewClient(opt) // client, err := mongo.NewClient(url) if err != nil { return nil, err } err = client.Connect(ctx) if err != nil { return nil, err } mrshler, err := utils.NewMarshaler(mrshlerStr) if err != nil { return nil, err } ms = &MongoStorage{ client: client, ctxTTL: ttl, db: dbName, storageType: storageType, ms: mrshler, cdrsIndexes: cdrsIndexes, } if err = ms.query(ctx, func(sctx mongo.SessionContext) error { cols, err := ms.client.Database(dbName).ListCollectionNames(sctx, bson.D{}) if err != nil { return err } empty := true for _, col := range cols { // create indexes only if database is empty or only version table is present if col != ColVer { empty = false break } } if empty { return ms.EnsureIndexes() } return nil }); err != nil { return nil, err } ms.cnter = utils.NewCounter(time.Now().UnixNano(), 0) return } // MongoStorage struct for new mongo driver type MongoStorage struct { client *mongo.Client ctxTTL time.Duration ctxTTLMutex sync.RWMutex // used for TTL reload db string storageType string // datadb ms utils.Marshaler cdrsIndexes []string cnter *utils.Counter } func (ms *MongoStorage) query(ctx *context.Context, argfunc func(ctx mongo.SessionContext) error) (err error) { ms.ctxTTLMutex.RLock() ctxSession, ctxSessionCancel := context.WithTimeout(ctx, ms.ctxTTL) ms.ctxTTLMutex.RUnlock() defer ctxSessionCancel() return ms.client.UseSession(ctxSession, argfunc) } // IsDataDB returns if the storeage is used for DataDb func (ms *MongoStorage) IsDataDB() bool { return ms.storageType == utils.DataDB } // SetTTL set the context TTL used for queries (is thread safe) func (ms *MongoStorage) SetTTL(ttl time.Duration) { ms.ctxTTLMutex.Lock() ms.ctxTTL = ttl ms.ctxTTLMutex.Unlock() } func (ms *MongoStorage) enusureIndex(colName string, uniq bool, keys ...string) error { return ms.query(context.TODO(), func(sctx mongo.SessionContext) error { col := ms.getCol(colName) io := options.Index().SetUnique(uniq) doc := make(bson.D, 0) for _, k := range keys { doc = append(doc, bson.E{Key: k, Value: 1}) } _, err := col.Indexes().CreateOne(sctx, mongo.IndexModel{ Keys: doc, Options: io, }) return err }) } func (ms *MongoStorage) dropAllIndexesForCol(colName string) error { return ms.query(context.TODO(), func(sctx mongo.SessionContext) error { col := ms.getCol(colName) _, err := col.Indexes().DropAll(sctx) return err }) } func (ms *MongoStorage) getCol(col string) *mongo.Collection { return ms.client.Database(ms.db).Collection(col) } // GetContext returns the context used for the current DB func (ms *MongoStorage) GetContext() *context.Context { return context.TODO() } func isNotFound(err error) bool { de, ok := err.(mongo.CommandError) if !ok { // if still can't converted to the mongo.CommandError check if error do not contains message return strings.Contains(err.Error(), "ns not found") } return de.Code == 26 || de.Message == "ns not found" } func (ms *MongoStorage) ensureIndexesForCol(col string) (err error) { // exported for migrator if err = ms.dropAllIndexesForCol(col); err != nil && !isNotFound(err) { // make sure you do not have indexes return } err = nil switch col { case ColAct, ColApl, ColAAp, ColAtr, ColRpl, ColDst, ColRds, ColLht, ColIndx: if err = ms.enusureIndex(col, true, "key"); err != nil { return } case ColRsP, ColRes, ColSqs, ColSqp, ColTps, ColThs, ColRts, ColAttr, ColFlt, ColCpp, ColDpp, ColDph, ColRpp, ColApp, ColAnp: if err = ms.enusureIndex(col, true, "tenant", "id"); err != nil { return } case ColRpf, ColShg, ColAcc: if err = ms.enusureIndex(col, true, "id"); err != nil { return } case utils.CDRsTBL: if err = ms.enusureIndex(col, true, MetaOriginLow, RunIDLow, OriginIDLow); err != nil { return } for _, idxKey := range ms.cdrsIndexes { if err = ms.enusureIndex(col, false, idxKey); err != nil { return } } case utils.SessionCostsTBL: if err = ms.enusureIndex(col, true, MetaOriginLow, RunIDLow); err != nil { return } if err = ms.enusureIndex(col, false, OriginHostLow, OriginIDLow); err != nil { return } if err = ms.enusureIndex(col, false, RunIDLow, OriginIDLow); err != nil { return } } return } // EnsureIndexes creates db indexes func (ms *MongoStorage) EnsureIndexes(cols ...string) (err error) { if len(cols) != 0 { for _, col := range cols { if err = ms.ensureIndexesForCol(col); err != nil { return } } return } if ms.storageType == utils.DataDB { for _, col := range []string{ColAct, ColApl, ColAAp, ColAtr, ColRpl, ColDst, ColRds, ColLht, ColIndx, ColRsP, ColRes, ColSqs, ColSqp, ColTps, ColThs, ColRts, ColAttr, ColFlt, ColCpp, ColDpp, ColRpp, ColApp, ColRpf, ColShg, ColAcc, ColAnp} { if err = ms.ensureIndexesForCol(col); err != nil { return } } } return } // Close disconects the client func (ms *MongoStorage) Close() { if err := ms.client.Disconnect(context.TODO()); err != nil { utils.Logger.Err(fmt.Sprintf(" Error on disconect:%s", err)) } } // Flush drops the datatable func (ms *MongoStorage) Flush(ignore string) (err error) { return ms.query(context.TODO(), func(sctx mongo.SessionContext) error { if err = ms.client.Database(ms.db).Drop(sctx); err != nil { return err } return ms.EnsureIndexes() // recreate the indexes }) } // DB returnes a database object func (ms *MongoStorage) DB() *mongo.Database { return ms.client.Database(ms.db) } // SelectDatabase selects the database func (ms *MongoStorage) SelectDatabase(dbName string) (err error) { ms.db = dbName return } // IsDBEmpty implementation func (ms *MongoStorage) IsDBEmpty() (resp bool, err error) { err = ms.query(context.TODO(), func(sctx mongo.SessionContext) error { cols, err := ms.DB().ListCollectionNames(sctx, bson.D{}) if err != nil { return err } for _, col := range cols { if col == utils.CDRsTBL { // ignore cdrs collection continue } var count int64 if count, err = ms.getCol(col).CountDocuments(sctx, bson.D{}, options.Count().SetLimit(1)); err != nil { // check if collection is empty so limit the count to 1 return err } if count != 0 { return nil } } resp = true return nil }) return resp, err } func (ms *MongoStorage) getField2(sctx mongo.SessionContext, col, prefix, subject string, tntID *utils.TenantID) (result []string, err error) { idResult := struct{ Tenant, ID string }{} elem := bson.M{} if tntID.Tenant != "" { elem["tenant"] = tntID.Tenant } if tntID.ID != "" { elem["id"] = bsonx.Regex(tntID.ID, "") } iter, err := ms.getCol(col).Find(sctx, elem, options.Find().SetProjection(bson.M{"tenant": 1, "id": 1})) if err != nil { return } for iter.Next(sctx) { err = iter.Decode(&idResult) if err != nil { return } result = append(result, prefix+utils.ConcatenatedKey(idResult.Tenant, idResult.ID)) } return result, iter.Close(sctx) } func (ms *MongoStorage) getField3(sctx mongo.SessionContext, col, prefix, field string) (result []string, err error) { fieldResult := bson.D{} iter, err := ms.getCol(col).Find(sctx, bson.M{field: bsonx.Regex(fmt.Sprintf("^%s", prefix), "")}, options.Find().SetProjection( bson.M{field: 1}, ), ) if err != nil { return } for iter.Next(sctx) { err = iter.Decode(&fieldResult) if err != nil { return } result = append(result, fieldResult.Map()[field].(string)) } return result, iter.Close(sctx) } // GetKeysForPrefix implementation func (ms *MongoStorage) GetKeysForPrefix(ctx *context.Context, prefix string) (result []string, err error) { var category, subject string keyLen := len(utils.AccountPrefix) if len(prefix) < keyLen { return nil, fmt.Errorf("unsupported prefix in GetKeysForPrefix: %q", prefix) } category = prefix[:keyLen] // prefix length tntID := utils.NewTenantID(prefix[keyLen:]) subject = fmt.Sprintf("^%s", prefix[keyLen:]) // old way, no tenant support err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { switch category { case utils.ResourceProfilesPrefix: result, err = ms.getField2(sctx, ColRsP, utils.ResourceProfilesPrefix, subject, tntID) case utils.ResourcesPrefix: result, err = ms.getField2(sctx, ColRes, utils.ResourcesPrefix, subject, tntID) case utils.StatQueuePrefix: result, err = ms.getField2(sctx, ColSqs, utils.StatQueuePrefix, subject, tntID) case utils.StatQueueProfilePrefix: result, err = ms.getField2(sctx, ColSqp, utils.StatQueueProfilePrefix, subject, tntID) case utils.FilterPrefix: result, err = ms.getField2(sctx, ColFlt, utils.FilterPrefix, subject, tntID) case utils.ThresholdPrefix: result, err = ms.getField2(sctx, ColThs, utils.ThresholdPrefix, subject, tntID) case utils.ThresholdProfilePrefix: result, err = ms.getField2(sctx, ColTps, utils.ThresholdProfilePrefix, subject, tntID) case utils.RouteProfilePrefix: result, err = ms.getField2(sctx, ColRts, utils.RouteProfilePrefix, subject, tntID) case utils.AttributeProfilePrefix: result, err = ms.getField2(sctx, ColAttr, utils.AttributeProfilePrefix, subject, tntID) case utils.ChargerProfilePrefix: result, err = ms.getField2(sctx, ColCpp, utils.ChargerProfilePrefix, subject, tntID) case utils.DispatcherProfilePrefix: result, err = ms.getField2(sctx, ColDpp, utils.DispatcherProfilePrefix, subject, tntID) case utils.RateProfilePrefix: result, err = ms.getField2(sctx, ColRpp, utils.RateProfilePrefix, subject, tntID) case utils.ActionProfilePrefix: result, err = ms.getField2(sctx, ColApp, utils.ActionProfilePrefix, subject, tntID) case utils.AccountPrefix: result, err = ms.getField2(sctx, ColAnp, utils.AccountPrefix, subject, tntID) case utils.DispatcherHostPrefix: result, err = ms.getField2(sctx, ColDph, utils.DispatcherHostPrefix, subject, tntID) case utils.AttributeFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.AttributeFilterIndexes, "key") case utils.ResourceFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.ResourceFilterIndexes, "key") case utils.StatFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.StatFilterIndexes, "key") case utils.ThresholdFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.ThresholdFilterIndexes, "key") case utils.RouteFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.RouteFilterIndexes, "key") case utils.ChargerFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.ChargerFilterIndexes, "key") case utils.DispatcherFilterIndexes: result, err = ms.getField3(sctx, ColIndx, utils.DispatcherFilterIndexes, "key") case utils.ActionPlanIndexes: result, err = ms.getField3(sctx, ColIndx, utils.ActionPlanIndexes, "key") case utils.ActionProfilesFilterIndexPrfx: result, err = ms.getField3(sctx, ColIndx, utils.ActionProfilesFilterIndexPrfx, "key") case utils.AccountFilterIndexPrfx: result, err = ms.getField3(sctx, ColIndx, utils.AccountFilterIndexPrfx, "key") case utils.RateProfilesFilterIndexPrfx: result, err = ms.getField3(sctx, ColIndx, utils.RateProfilesFilterIndexPrfx, "key") case utils.RateFilterIndexPrfx: result, err = ms.getField3(sctx, ColIndx, utils.RateFilterIndexPrfx, "key") case utils.FilterIndexPrfx: result, err = ms.getField3(sctx, ColIndx, utils.FilterIndexPrfx, "key") default: err = fmt.Errorf("unsupported prefix in GetKeysForPrefix: %q", prefix) } return err }) return } func (ms *MongoStorage) HasDataDrv(ctx *context.Context, category, subject, tenant string) (has bool, err error) { err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { var count int64 switch category { case utils.ResourcesPrefix: count, err = ms.getCol(ColRes).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.ResourceProfilesPrefix: count, err = ms.getCol(ColRsP).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.StatQueuePrefix: count, err = ms.getCol(ColSqs).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.StatQueueProfilePrefix: count, err = ms.getCol(ColSqp).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.ThresholdPrefix: count, err = ms.getCol(ColThs).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.ThresholdProfilePrefix: count, err = ms.getCol(ColTps).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.FilterPrefix: count, err = ms.getCol(ColFlt).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.RouteProfilePrefix: count, err = ms.getCol(ColRts).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.AttributeProfilePrefix: count, err = ms.getCol(ColAttr).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.ChargerProfilePrefix: count, err = ms.getCol(ColCpp).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.DispatcherProfilePrefix: count, err = ms.getCol(ColDpp).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.DispatcherHostPrefix: count, err = ms.getCol(ColDph).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.RateProfilePrefix: count, err = ms.getCol(ColRpp).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.ActionProfilePrefix: count, err = ms.getCol(ColApp).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) case utils.AccountPrefix: count, err = ms.getCol(ColAnp).CountDocuments(sctx, bson.M{"tenant": tenant, "id": subject}) default: err = fmt.Errorf("unsupported category in HasData: %s", category) } has = count > 0 return err }) return has, err } // Limit will only retrieve the last n items out of history, newest first func (ms *MongoStorage) GetLoadHistory(limit int, skipCache bool, transactionID string) (loadInsts []*utils.LoadInstance, err error) { if limit == 0 { return nil, nil } if !skipCache { if x, ok := Cache.Get(utils.LoadInstKey, ""); ok { if x != nil { items := x.([]*utils.LoadInstance) if len(items) < limit || limit == -1 { return items, nil } return items[:limit], nil } return nil, utils.ErrNotFound } } var kv struct { Key string Value []*utils.LoadInstance } err = ms.query(context.TODO(), func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColLht).FindOne(sctx, bson.M{"key": utils.LoadInstKey}) if err := cur.Decode(&kv); err != nil { if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) cCommit := cacheCommit(transactionID) if err == nil { loadInsts = kv.Value if errCh := Cache.Remove(context.TODO(), utils.LoadInstKey, "", cCommit, transactionID); errCh != nil { return nil, errCh } if errCh := Cache.Set(context.TODO(), utils.LoadInstKey, "", loadInsts, nil, cCommit, transactionID); errCh != nil { return nil, errCh } } if len(loadInsts) < limit || limit == -1 { return loadInsts, nil } return loadInsts[:limit], nil } // Adds a single load instance to load history func (ms *MongoStorage) AddLoadHistory(ldInst *utils.LoadInstance, loadHistSize int, transactionID string) error { if loadHistSize == 0 { // Load history disabled return nil } // get existing load history var existingLoadHistory []*utils.LoadInstance var kv struct { Key string Value []*utils.LoadInstance } if err := ms.query(context.TODO(), func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColLht).FindOne(sctx, bson.M{"key": utils.LoadInstKey}) if err := cur.Decode(&kv); err != nil { if err == mongo.ErrNoDocuments { return nil // utils.ErrNotFound } return err } return nil }); err != nil { return err } if kv.Value != nil { existingLoadHistory = kv.Value } err := guardian.Guardian.Guard(context.TODO(), func(ctx *context.Context) error { // Make sure we do it locked since other instance can modify history while we read it // insert on first position existingLoadHistory = append(existingLoadHistory, nil) copy(existingLoadHistory[1:], existingLoadHistory[0:]) existingLoadHistory[0] = ldInst //check length histLen := len(existingLoadHistory) if histLen >= loadHistSize { // Have hit maximum history allowed, remove oldest element in order to add new one existingLoadHistory = existingLoadHistory[:loadHistSize] } return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColLht).UpdateOne(sctx, bson.M{"key": utils.LoadInstKey}, bson.M{"$set": struct { Key string Value []*utils.LoadInstance }{Key: utils.LoadInstKey, Value: existingLoadHistory}}, options.Update().SetUpsert(true), ) return err }) }, config.CgrConfig().GeneralCfg().LockingTimeout, utils.LoadInstKey) if errCh := Cache.Remove(context.TODO(), utils.LoadInstKey, "", cacheCommit(transactionID), transactionID); errCh != nil { return errCh } return err } func (ms *MongoStorage) GetResourceProfileDrv(ctx *context.Context, tenant, id string) (rp *ResourceProfile, err error) { rp = new(ResourceProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColRsP).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(rp); err != nil { rp = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetResourceProfileDrv(ctx *context.Context, rp *ResourceProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColRsP).UpdateOne(sctx, bson.M{"tenant": rp.Tenant, "id": rp.ID}, bson.M{"$set": rp}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveResourceProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColRsP).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetResourceDrv(ctx *context.Context, tenant, id string) (r *Resource, err error) { r = new(Resource) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColRes).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetResourceDrv(ctx *context.Context, r *Resource) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColRes).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveResourceDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColRes).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } // GetStatQueueProfileDrv retrieves a StatQueueProfile from dataDB func (ms *MongoStorage) GetStatQueueProfileDrv(ctx *context.Context, tenant string, id string) (sq *StatQueueProfile, err error) { sq = new(StatQueueProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColSqp).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(sq); err != nil { sq = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } // SetStatQueueProfileDrv stores a StatsQueue into DataDB func (ms *MongoStorage) SetStatQueueProfileDrv(ctx *context.Context, sq *StatQueueProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColSqp).UpdateOne(sctx, bson.M{"tenant": sq.Tenant, "id": sq.ID}, bson.M{"$set": sq}, options.Update().SetUpsert(true), ) return err }) } // RemStatQueueProfileDrv removes a StatsQueue from dataDB func (ms *MongoStorage) RemStatQueueProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColSqp).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } // GetStatQueueDrv retrieves a StoredStatQueue func (ms *MongoStorage) GetStatQueueDrv(ctx *context.Context, tenant, id string) (sq *StatQueue, err error) { ssq := new(StoredStatQueue) if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColSqs).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(ssq); err != nil { sq = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }); err != nil { return } sq, err = ssq.AsStatQueue(ms.ms) return } // SetStatQueueDrv stores the metrics for a StoredStatQueue func (ms *MongoStorage) SetStatQueueDrv(ctx *context.Context, ssq *StoredStatQueue, sq *StatQueue) (err error) { if ssq == nil { if ssq, err = NewStoredStatQueue(sq, ms.ms); err != nil { return } } return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColSqs).UpdateOne(sctx, bson.M{"tenant": ssq.Tenant, "id": ssq.ID}, bson.M{"$set": ssq}, options.Update().SetUpsert(true), ) return err }) } // RemStatQueueDrv removes stored metrics for a StoredStatQueue func (ms *MongoStorage) RemStatQueueDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColSqs).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } // GetThresholdProfileDrv retrieves a ThresholdProfile from dataDB func (ms *MongoStorage) GetThresholdProfileDrv(ctx *context.Context, tenant, ID string) (tp *ThresholdProfile, err error) { tp = new(ThresholdProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColTps).FindOne(sctx, bson.M{"tenant": tenant, "id": ID}) if err := cur.Decode(tp); err != nil { tp = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } // SetThresholdProfileDrv stores a ThresholdProfile into DataDB func (ms *MongoStorage) SetThresholdProfileDrv(ctx *context.Context, tp *ThresholdProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColTps).UpdateOne(sctx, bson.M{"tenant": tp.Tenant, "id": tp.ID}, bson.M{"$set": tp}, options.Update().SetUpsert(true), ) return err }) } // RemoveThresholdProfile removes a ThresholdProfile from dataDB/cache func (ms *MongoStorage) RemThresholdProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColTps).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetThresholdDrv(ctx *context.Context, tenant, id string) (r *Threshold, err error) { r = new(Threshold) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColThs).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetThresholdDrv(ctx *context.Context, r *Threshold) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColThs).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveThresholdDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColThs).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetFilterDrv(ctx *context.Context, tenant, id string) (r *Filter, err error) { r = new(Filter) if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColFlt).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }); err != nil { return nil, err } return } func (ms *MongoStorage) SetFilterDrv(ctx *context.Context, r *Filter) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColFlt).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveFilterDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColFlt).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetRouteProfileDrv(ctx *context.Context, tenant, id string) (r *RouteProfile, err error) { r = new(RouteProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColRts).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetRouteProfileDrv(ctx *context.Context, r *RouteProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColRts).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveRouteProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColRts).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetAttributeProfileDrv(ctx *context.Context, tenant, id string) (r *AttributeProfile, err error) { r = new(AttributeProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColAttr).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetAttributeProfileDrv(ctx *context.Context, r *AttributeProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColAttr).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveAttributeProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColAttr).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetChargerProfileDrv(ctx *context.Context, tenant, id string) (r *ChargerProfile, err error) { r = new(ChargerProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColCpp).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetChargerProfileDrv(ctx *context.Context, r *ChargerProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColCpp).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveChargerProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColCpp).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetDispatcherProfileDrv(ctx *context.Context, tenant, id string) (r *DispatcherProfile, err error) { r = new(DispatcherProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColDpp).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrDSPProfileNotFound } return err } return nil }) return } func (ms *MongoStorage) SetDispatcherProfileDrv(ctx *context.Context, r *DispatcherProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColDpp).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveDispatcherProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColDpp).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetDispatcherHostDrv(ctx *context.Context, tenant, id string) (r *DispatcherHost, err error) { r = new(DispatcherHost) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColDph).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(r); err != nil { r = nil if err == mongo.ErrNoDocuments { return utils.ErrDSPHostNotFound } return err } return nil }) return } func (ms *MongoStorage) SetDispatcherHostDrv(ctx *context.Context, r *DispatcherHost) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColDph).UpdateOne(sctx, bson.M{"tenant": r.Tenant, "id": r.ID}, bson.M{"$set": r}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveDispatcherHostDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColDph).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetItemLoadIDsDrv(ctx *context.Context, itemIDPrefix string) (loadIDs map[string]int64, err error) { fop := options.FindOne() if itemIDPrefix != "" { fop.SetProjection(bson.M{itemIDPrefix: 1, "_id": 0}) } else { fop.SetProjection(bson.M{"_id": 0}) } if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColLID).FindOne(sctx, bson.D{}, fop) if err := cur.Decode(&loadIDs); err != nil { if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }); err != nil { return nil, err } if len(loadIDs) == 0 { return nil, utils.ErrNotFound } return } func (ms *MongoStorage) SetLoadIDsDrv(ctx *context.Context, loadIDs map[string]int64) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColLID).UpdateOne(sctx, bson.D{}, bson.M{"$set": loadIDs}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveLoadIDsDrv() (err error) { return ms.query(context.TODO(), func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColLID).DeleteMany(sctx, bson.M{}) return err }) } func (ms *MongoStorage) GetRateProfileDrv(ctx *context.Context, tenant, id string) (rpp *utils.RateProfile, err error) { mapRP := make(map[string]interface{}) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColRpp).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(mapRP); err != nil { rpp = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) if err != nil { return nil, err } return utils.NewRateProfileFromMapDataDBMap(tenant, id, mapRP, ms.ms) } func (ms *MongoStorage) GetRateProfileRatesDrv(ctx *context.Context, tenant, profileID, rtPrfx string, needIDs bool) (rateIDs []string, rates []*utils.Rate, err error) { prefix := utils.Rates + utils.ConcatenatedKeySep if rtPrfx != utils.EmptyString { prefix = utils.ConcatenatedKey(utils.Rates, rtPrfx) } matchStage, queryStage := newAggregateStages(profileID, tenant, prefix) var result []bson.M if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur, err := ms.getCol(ColRpp).Aggregate(sctx, mongo.Pipeline{matchStage, queryStage}, options.Aggregate().SetMaxTime(2*time.Second)) if err != nil { return } if err = cur.All(sctx, &result); err != nil { return err } return nil }); err != nil { return } for _, doc := range result { for key, rate := range doc { if needIDs { rateIDs = append(rateIDs, key[6:]) continue } rtToAppend := new(utils.Rate) if err = ms.ms.Unmarshal([]byte(utils.IfaceAsString(rate)), rtToAppend); err != nil { return nil, nil, err } rates = append(rates, rtToAppend) } } return } func (ms *MongoStorage) SetRateProfileDrv(ctx *context.Context, rpp *utils.RateProfile, optOverwrite bool) (err error) { rpMap, err := rpp.AsDataDBMap(ms.ms) if err != nil { return } return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { if optOverwrite { if _, err = ms.getCol(ColRpp).DeleteOne(sctx, bson.M{"tenant": rpp.Tenant, "id": rpp.ID}); err != nil { return } } _, err = ms.getCol(ColRpp).UpdateOne(sctx, bson.M{"tenant": rpp.Tenant, "id": rpp.ID}, bson.M{"$set": rpMap}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveRateProfileDrv(ctx *context.Context, tenant, id string, rateIDs *[]string) (err error) { if rateIDs != nil { // if we want to remove just some rates from our profile, we will remove by their key Rates:rateID return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { for _, rateID := range *rateIDs { _, err = ms.getCol(ColRpp).UpdateOne(ctx, bson.M{"tenant": tenant, "id": id}, bson.A{bson.M{"$unset": utils.Rates + utils.InInFieldSep + rateID}}) if err != nil { return } } return }) } return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColRpp).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetActionProfileDrv(ctx *context.Context, tenant, id string) (ap *ActionProfile, err error) { ap = new(ActionProfile) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColApp).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(ap); err != nil { ap = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetActionProfileDrv(ctx *context.Context, ap *ActionProfile) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColApp).UpdateOne(sctx, bson.M{"tenant": ap.Tenant, "id": ap.ID}, bson.M{"$set": ap}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveActionProfileDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColApp).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } // GetIndexesDrv retrieves Indexes from dataDB // the key is the tenant of the item or in case of context dependent profiles is a concatenatedKey between tenant and context // id is used as a concatenated key in case of filterIndexes the id will be filterType:fieldName:fieldVal func (ms *MongoStorage) GetIndexesDrv(ctx *context.Context, idxItmType, tntCtx, idxKey, transactionID string) (indexes map[string]utils.StringSet, err error) { type result struct { Key string Value []string } originKey := utils.CacheInstanceToPrefix[idxItmType] + tntCtx if transactionID != utils.NonTransactional { originKey = "tmp_" + utils.ConcatenatedKey(originKey, transactionID) } dbKey := originKey var q bson.M if len(idxKey) != 0 { q = bson.M{"key": utils.ConcatenatedKey(dbKey, idxKey)} } else { for _, character := range []string{".", "*"} { dbKey = strings.Replace(dbKey, character, `\`+character, strings.Count(dbKey, character)) } //inside bson.RegEx add carrot to match the prefix (optimization) q = bson.M{"key": bsonx.Regex("^"+dbKey, utils.EmptyString)} } indexes = make(map[string]utils.StringSet) if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur, err := ms.getCol(ColIndx).Find(sctx, q) if err != nil { return err } for cur.Next(sctx) { var elem result if err := cur.Decode(&elem); err != nil { return err } if len(elem.Value) == 0 { continue } indexKey := strings.TrimPrefix(elem.Key, originKey+utils.ConcatenatedKeySep) indexes[indexKey] = utils.NewStringSet(elem.Value) } return cur.Close(sctx) }); err != nil { return nil, err } if len(indexes) == 0 { return nil, utils.ErrNotFound } return indexes, nil } // SetIndexesDrv stores Indexes into DataDB // the key is the tenant of the item or in case of context dependent profiles is a concatenatedKey between tenant and context func (ms *MongoStorage) SetIndexesDrv(ctx *context.Context, idxItmType, tntCtx string, indexes map[string]utils.StringSet, commit bool, transactionID string) (err error) { originKey := utils.CacheInstanceToPrefix[idxItmType] + tntCtx dbKey := originKey if transactionID != utils.EmptyString { dbKey = "tmp_" + utils.ConcatenatedKey(originKey, transactionID) } if commit && transactionID != utils.EmptyString { regexKey := dbKey for _, character := range []string{".", "*"} { regexKey = strings.Replace(regexKey, character, `\`+character, strings.Count(regexKey, character)) } if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { var result []string result, err = ms.getField3(sctx, ColIndx, regexKey, "key") if err != nil { return } for _, key := range result { idxKey := strings.TrimPrefix(key, dbKey) if _, err = ms.getCol(ColIndx).DeleteOne(sctx, bson.M{"key": originKey + idxKey}); err != nil { //ensure we do not have dup return err } if _, err = ms.getCol(ColIndx).UpdateOne(sctx, bson.M{"key": key}, bson.M{"$set": bson.M{"key": originKey + idxKey}}, // only update the key ); err != nil { return err } } return nil }); err != nil { return err } } var lastErr error for idxKey, itmMp := range indexes { if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { idxDbkey := utils.ConcatenatedKey(dbKey, idxKey) if len(itmMp) == 0 { // remove from DB if we set it with empty indexes _, err = ms.getCol(ColIndx).DeleteOne(sctx, bson.M{"key": idxDbkey}) } else { _, err = ms.getCol(ColIndx).UpdateOne(sctx, bson.M{"key": idxDbkey}, bson.M{"$set": bson.M{"key": idxDbkey, "value": itmMp.AsSlice()}}, options.Update().SetUpsert(true), ) } return err }); err != nil { lastErr = err } } return lastErr } // RemoveIndexesDrv removes the indexes func (ms *MongoStorage) RemoveIndexesDrv(ctx *context.Context, idxItmType, tntCtx, idxKey string) (err error) { if len(idxKey) != 0 { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColIndx).DeleteOne(sctx, bson.M{"key": utils.ConcatenatedKey(utils.CacheInstanceToPrefix[idxItmType]+tntCtx, idxKey)}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } regexKey := utils.CacheInstanceToPrefix[idxItmType] + tntCtx for _, character := range []string{".", "*"} { regexKey = strings.Replace(regexKey, character, `\`+character, strings.Count(regexKey, character)) } //inside bson.RegEx add carrot to match the prefix (optimization) return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColIndx).DeleteMany(sctx, bson.M{"key": bsonx.Regex("^"+regexKey, utils.EmptyString)}) return err }) } func (ms *MongoStorage) GetAccountDrv(ctx *context.Context, tenant, id string) (ap *utils.Account, err error) { ap = new(utils.Account) err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColAnp).FindOne(sctx, bson.M{"tenant": tenant, "id": id}) if err := cur.Decode(ap); err != nil { ap = nil if err == mongo.ErrNoDocuments { return utils.ErrNotFound } return err } return nil }) return } func (ms *MongoStorage) SetAccountDrv(ctx *context.Context, ap *utils.Account) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColAnp).UpdateOne(sctx, bson.M{"tenant": ap.Tenant, "id": ap.ID}, bson.M{"$set": ap}, options.Update().SetUpsert(true), ) return err }) } func (ms *MongoStorage) RemoveAccountDrv(ctx *context.Context, tenant, id string) (err error) { return ms.query(ctx, func(sctx mongo.SessionContext) (err error) { dr, err := ms.getCol(ColAnp).DeleteOne(sctx, bson.M{"tenant": tenant, "id": id}) if dr.DeletedCount == 0 { return utils.ErrNotFound } return err }) } func (ms *MongoStorage) GetConfigSectionsDrv(ctx *context.Context, nodeID string, sectionIDs []string) (sectionMap map[string][]byte, err error) { sectionMap = make(map[string][]byte) for _, sectionID := range sectionIDs { if err = ms.query(context.TODO(), func(sctx mongo.SessionContext) (err error) { cur := ms.getCol(ColCfg).FindOne(sctx, bson.M{ "nodeID": nodeID, "section": sectionID, }, options.FindOne().SetProjection(bson.M{"cfgData": 1, "_id": 0})) cfgMap := make(map[string][]byte) if err = cur.Decode(&cfgMap); err != nil { if err == mongo.ErrNoDocuments { err = nil return } return } sectionMap[sectionID] = cfgMap["cfgData"] return }); err != nil { return } } if len(sectionMap) == 0 { err = utils.ErrNotFound return } return } func (ms *MongoStorage) SetConfigSectionsDrv(ctx *context.Context, nodeID string, sectionsData map[string][]byte) (err error) { for sectionID, sectionData := range sectionsData { if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColCfg).UpdateOne(sctx, bson.M{ "nodeID": nodeID, "section": sectionID, }, bson.M{"$set": bson.M{ "nodeID": nodeID, "section": sectionID, "cfgData": sectionData}}, options.Update().SetUpsert(true), ) return err }); err != nil { return } } return } func (ms *MongoStorage) RemoveConfigSectionsDrv(ctx *context.Context, nodeID string, sectionIDs []string) (err error) { for _, sectionID := range sectionIDs { if err = ms.query(ctx, func(sctx mongo.SessionContext) (err error) { _, err = ms.getCol(ColCfg).DeleteOne(sctx, bson.M{ "nodeID": nodeID, "section": sectionID, }) return err }); err != nil { return } } return } func newAggregateStages(profileID, tenant, prefix string) (match, query bson.D) { match = bson.D{{ "$match", bson.M{ "id": profileID, "tenant": tenant, }}, } query = bson.D{{ "$replaceRoot", bson.D{{ "newRoot", bson.D{{ "$arrayToObject", bson.D{{ "$filter", bson.D{ {"input", bson.M{ "$objectToArray": "$$ROOT", }}, {"cond", bson.D{{ "$regexFind", bson.M{ "input": "$$this.k", "regex": prefix, }, }}}, }, }}, }}, }}, }} return }