瀏覽代碼

implementing tags and manufacturers

Klaas, Wilfried 5 年之前
父節點
當前提交
946a5f495f

+ 12 - 18
schematic-service-go/Dockerfile

@@ -18,24 +18,18 @@ WORKDIR /src
 
 ## Task: fetch project deps
 
-RUN go get \
-       github.com/go-chi/chi \
-       github.com/go-chi/chi/middleware \
-       github.com/go-chi/render \
-       gopkg.in/yaml.v3 \
-       github.com/spf13/pflag
+RUN go mod download
 
 ## Task: build project
 
 ENV GOOS="linux"
 ENV GOARCH="amd64"
 
-RUN go build -ldflags="-s -w" -o gomicro cmd/Service.go 
+RUN go build -ldflags="-s -w" -o schematic-service cmd/service.go 
 
 ## Task: set permissions
 
-RUN chmod 0755 /src/deployments/entrypoint.sh \
-               /src/gomicro
+RUN chmod 0755 /src/gomicro
 
 ## Task: runtime dependencies
 
@@ -72,26 +66,26 @@ ARG RELEASE
 ENV IMG_VERSION="${RELEASE}"
 
 COPY --from=builder /src/gomicro /usr/local/bin/
-COPY --from=builder /src/deployments/entrypoint.sh /
 COPY --from=builder /src/configs/service.yaml /config/
 COPY --from=builder /usr/share/rundeps /usr/share/rundeps
 
 RUN set -eux; \
     xargs -a /usr/share/rundeps apk add --no-progress --quiet --no-cache --upgrade --virtual .run-deps
 
-ENTRYPOINT ["/entrypoint.sh"]
+ENTRYPOINT ["/usr/local/bin/schematic-service"]
+CMD ["--config","/config/service.yaml"]
 
 EXPOSE 8080 8443
 
 HEALTHCHECK --interval=30s --timeout=5s --retries=3 --start-period=10s \
   CMD wget -q -T 5 --spider http://localhost:8080/health/health
 
-LABEL org.opencontainers.image.title="GoMicro" \
-      org.opencontainers.image.description="DM GoMicro" \
+LABEL org.opencontainers.image.title="schematic-service" \
+      org.opencontainers.image.description="schematic-service" \
       org.opencontainers.image.version="${IMG_VERSION}" \
-      org.opencontainers.image.source="https://bitbucket.easy.de/scm/dm/service-gomicro-go.git" \
-      org.opencontainers.image.vendor="EASY SOFTWARE AG (www.easy-software.com)" \
-      org.opencontainers.image.authors="EASY Apiomat GmbH" \
-      maintainer="EASY Apiomat GmbH" \
-      NAME="gomicro"
+      org.opencontainers.image.source="http://bitbucket.easy.de/scm/dm/service-gomicro-go.git" \
+      org.opencontainers.image.vendor="MCS" \
+      org.opencontainers.image.authors="MCS" \
+      maintainer="MCS" \
+      NAME="schematic-service"
 

+ 8 - 0
schematic-service-go/api/endpoints.go

@@ -7,6 +7,7 @@ import (
 
 	"github.com/go-chi/chi"
 	"github.com/go-chi/render"
+	"github.com/willie68/schematic-service-go/dao"
 )
 
 // TenantHeader in this header thr right tenant should be inserted
@@ -37,6 +38,7 @@ func ConfigRoutes() *chi.Mux {
 	router.Get("/", GetConfigEndpoint)
 	router.Delete("/", DeleteConfigEndpoint)
 	router.Get("/size", GetConfigSizeEndpoint)
+	router.Delete("/dropall", DropAllEndpoint)
 	return router
 }
 
@@ -104,3 +106,9 @@ getTenant getting the tenant from the request
 func getTenant(req *http.Request) string {
 	return req.Header.Get(TenantHeader)
 }
+
+//DropAllEndpoint dropping all data
+func DropAllEndpoint(response http.ResponseWriter, req *http.Request) {
+	dao.DropAll()
+	render.JSON(response, req, "")
+}

+ 49 - 0
schematic-service-go/api/listsendpoint.go

@@ -0,0 +1,49 @@
+package api
+
+import (
+	"net/http"
+
+	"github.com/go-chi/chi"
+	"github.com/go-chi/render"
+	"github.com/willie68/schematic-service-go/dao"
+)
+
+// TagsRoutes getting all routes for the tags endpoint
+func TagsRoutes() *chi.Mux {
+	router := chi.NewRouter()
+	router.Get("/", GetTagsEndpoint)
+	router.Get("/count", GetTagsCountEndpoint)
+	return router
+}
+
+// ManufacturersRoutes getting all routes for the manufacturers endpoint
+func ManufacturersRoutes() *chi.Mux {
+	router := chi.NewRouter()
+	router.Get("/", GetManufacturersEndpoint)
+	router.Get("/count", GetManufacturersCountEndpoint)
+	return router
+}
+
+//GetTagsEndpoint getting all tags back. No paging...
+func GetTagsEndpoint(response http.ResponseWriter, req *http.Request) {
+	tags := dao.GetTags()
+	render.JSON(response, req, tags)
+}
+
+//GetManufacturersEndpoint getting all manufacturers back. No paging...
+func GetManufacturersEndpoint(response http.ResponseWriter, req *http.Request) {
+	manufacturers := dao.GetManufacturers()
+	render.JSON(response, req, manufacturers)
+}
+
+//GetTagsCountEndpoint getting all tags back. No paging...
+func GetTagsCountEndpoint(response http.ResponseWriter, req *http.Request) {
+	tagsCount := dao.GetTagsCount()
+	render.JSON(response, req, tagsCount)
+}
+
+//GetManufacturersCountEndpoint getting all manufacturers back. No paging...
+func GetManufacturersCountEndpoint(response http.ResponseWriter, req *http.Request) {
+	manufacturersCount := dao.GetManufacturersCount()
+	render.JSON(response, req, manufacturersCount)
+}

+ 5 - 15
schematic-service-go/api/sysapihandler.go

@@ -7,27 +7,22 @@ import (
 )
 
 // APIKeyHeader in this header thr right api key should be inserted
-const APIKeyHeader = "X-es-apikey"
-
-// SystemHeader in this header thr right system should be inserted
-const SystemHeader = "X-es-system"
+const APIKeyHeader = "X-mcs-apikey"
 
 /*
 SysAPIKey defining a handler for checking system id and api key
 */
 type SysAPIKey struct {
-	log      *log.Logger
-	SystemID string
-	Apikey   string
+	log    *log.Logger
+	Apikey string
 }
 
 /*
 NewSysAPIHandler creates a new SysApikeyHandler
 */
-func NewSysAPIHandler(systemID string, apikey string) *SysAPIKey {
+func NewSysAPIHandler(apikey string) *SysAPIKey {
 	c := &SysAPIKey{
-		SystemID: systemID,
-		Apikey:   apikey,
+		Apikey: apikey,
 	}
 	return c
 }
@@ -39,10 +34,6 @@ func (s *SysAPIKey) Handler(next http.Handler) http.Handler {
 	return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
 		path := strings.TrimSuffix(r.URL.Path, "/")
 		if !strings.HasPrefix(path, "/health") {
-			if s.SystemID != r.Header.Get(SystemHeader) {
-				Msg(w, http.StatusBadRequest, "either system id or apikey not correct")
-				return
-			}
 			if s.Apikey != strings.ToLower(r.Header.Get(APIKeyHeader)) {
 				Msg(w, http.StatusBadRequest, "either system id or apikey not correct")
 				return
@@ -58,5 +49,4 @@ AddHeader adding gefault header for system and apikey
 */
 func AddHeader(response http.ResponseWriter, apikey string, system string) {
 	response.Header().Add(APIKeyHeader, apikey)
-	response.Header().Add(SystemHeader, system)
 }

+ 24 - 18
schematic-service-go/cmd/service.go

@@ -1,6 +1,7 @@
 package main
 
 import (
+	"bufio"
 	"context"
 	"crypto/md5"
 	"encoding/json"
@@ -44,6 +45,7 @@ var sslport int
 var system string
 var serviceURL string
 var registryURL string
+var importPath string
 var apikey string
 var ssl bool
 var configFile string
@@ -57,14 +59,14 @@ func init() {
 	log.Info("init service")
 	flag.IntVarP(&port, "port", "p", 0, "port of the http server.")
 	flag.IntVarP(&sslport, "sslport", "t", 0, "port of the https server.")
-	flag.StringVarP(&system, "systemid", "s", "", "this is the systemid of this service. Used for the apikey generation")
 	flag.StringVarP(&configFile, "config", "c", config.File, "this is the path and filename to the config file")
 	flag.StringVarP(&serviceURL, "serviceURL", "u", "", "service url from outside")
 	flag.StringVarP(&registryURL, "registryURL", "r", "", "registry url where to connect to consul")
+	flag.StringVarP(&importPath, "import", "i", "", "import data from here")
 }
 
 func routes() *chi.Mux {
-	myHandler := api.NewSysAPIHandler(serviceConfig.SystemID, apikey)
+	myHandler := api.NewSysAPIHandler(apikey)
 	baseURL := fmt.Sprintf("/api/v%s", apiVersion)
 	router := chi.NewRouter()
 	router.Use(
@@ -77,6 +79,8 @@ func routes() *chi.Mux {
 
 	router.Route("/", func(r chi.Router) {
 		r.Mount(baseURL+"/config", api.ConfigRoutes())
+		r.Mount(baseURL+"/tags", api.TagsRoutes())
+		r.Mount(baseURL+"/manufacturers", api.ManufacturersRoutes())
 		r.Mount("/health", health.Routes())
 	})
 	return router
@@ -115,10 +119,6 @@ func main() {
 
 	defer log.Close()
 
-	if serviceConfig.SystemID == "" {
-		log.Fatal("system id not given, can't start! Please use config file or -s parameter")
-	}
-
 	gc := crypt.GenerateCertificate{
 		Organization: "MCS Media Computer Spftware",
 		Host:         "127.0.0.1",
@@ -134,12 +134,12 @@ func main() {
 	}
 
 	dao.InitDB(config.Get().MongoDB)
-	importData()
+	if importPath != "" {
+		go importData()
+	}
 
-	api.SystemID = serviceConfig.SystemID
 	apikey = getApikey()
 	api.APIKey = apikey
-	log.Infof("systemid: %s", serviceConfig.SystemID)
 	log.Infof("apikey: %s", apikey)
 	log.Infof("ssl: %t", ssl)
 	log.Infof("serviceURL: %s", serviceConfig.ServiceURL)
@@ -224,7 +224,6 @@ func main() {
 func initGraylog() {
 	log.GelfURL = serviceConfig.Logging.Gelfurl
 	log.GelfPort = serviceConfig.Logging.Gelfport
-	log.SystemID = serviceConfig.SystemID
 
 	log.InitGelf()
 }
@@ -267,23 +266,20 @@ func initConfig() {
 	if sslport > 0 {
 		serviceConfig.Sslport = sslport
 	}
-	if system != "" {
-		serviceConfig.SystemID = system
-	}
 	if serviceURL != "" {
 		serviceConfig.ServiceURL = serviceURL
 	}
 }
 
 func getApikey() string {
-	value := fmt.Sprintf("%s_%s", servicename, serviceConfig.SystemID)
+	value := fmt.Sprintf("%s", servicename)
 	apikey := fmt.Sprintf("%x", md5.Sum([]byte(value)))
 	return strings.ToLower(apikey)
 }
 
 func importData() {
 	count := 0
-	dir := "E:/temp/backup/schematic/LIVE/"
+	dir := importPath
 	err := filepath.Walk(dir, func(path string, info os.FileInfo, err error) error {
 		if info != nil {
 			if info.IsDir() {
@@ -293,8 +289,16 @@ func importData() {
 					count++
 					schematic := getSchematic(filepath)
 					fileids := make([]string, 0)
-					for _, f := range schematic.Files {
-						fileid, err := dao.AddFile(path + "/" + f)
+					for _, filename := range schematic.Files {
+						file := path + "/" + filename
+						f, err := os.Open(file)
+						if err != nil {
+							fmt.Printf("error: %s\n", err.Error())
+						}
+						defer f.Close()
+						reader := bufio.NewReader(f)
+
+						fileid, err := dao.AddFile(filename, reader)
 						if err != nil {
 							fmt.Printf("%v\n", err)
 						} else {
@@ -304,7 +308,9 @@ func importData() {
 					}
 					schematic.Files = fileids
 					id, err := dao.CreateSchematic(schematic)
-					fmt.Printf("%v\n", err)
+					if err != nil {
+						fmt.Printf("%v\n", err)
+					}
 					fmt.Printf("%d: found %s: man: %s, model: %s\n", count, id, schematic.Manufacturer, schematic.Model)
 				}
 			}

+ 0 - 2
schematic-service-go/config/config.go

@@ -10,8 +10,6 @@ type Config struct {
 	ServiceURL string `yaml:"serviceURL"`
 	//this is the url where to register this service
 	RegistryURL string `yaml:"registryURL"`
-	//this is the url where to register this service
-	SystemID string `yaml:"systemID"`
 
 	SecretFile string  `yaml:"secretfile"`
 	Logging    Logging `yaml:"logging"`

+ 0 - 1
schematic-service-go/config/loader.go

@@ -13,7 +13,6 @@ var config = Config{
 	Port:       8080,
 	Sslport:    8443,
 	ServiceURL: "http://127.0.0.1",
-	SystemID:   "schematic-service",
 	HealthCheck: HealthCheck{
 		Period: 30,
 	},

+ 216 - 24
schematic-service-go/dao/mongodao.go

@@ -1,12 +1,11 @@
 package dao
 
 import (
-	"bufio"
 	"context"
 	"fmt"
+	"io"
 	"log"
-	"os"
-	"path/filepath"
+	"strings"
 	"time"
 
 	"github.com/willie68/schematic-service-go/config"
@@ -20,12 +19,19 @@ import (
 )
 
 const timeout = 1 * time.Minute
+const attachmentsCollectionName = "attachments"
+const schematicsCollectionName = "schematics"
+const tagsCollectionName = "tags"
+const manufacturersCollectionName = "manufacturers"
 
 var client *mongo.Client
 var mongoConfig config.MongoDB
 var bucket gridfs.Bucket
 var database mongo.Database
+var tags []string
+var manufacturers []string
 
+// InitDB initialise the mongodb connection, build up all collections and indexes
 func InitDB(MongoConfig config.MongoDB) {
 	mongoConfig = MongoConfig
 	//	uri := fmt.Sprintf("mongodb://%s:%s@%s:%d", mongoConfig.Username, mongoConfig.Password, mongoConfig.Host, mongoConfig.Port)
@@ -46,17 +52,24 @@ func InitDB(MongoConfig config.MongoDB) {
 	}
 	database = *client.Database(mongoConfig.Database)
 
-	myBucket, err := gridfs.NewBucket(&database, options.GridFSBucket().SetName("attachment"))
+	myBucket, err := gridfs.NewBucket(&database, options.GridFSBucket().SetName(attachmentsCollectionName))
 	if err != nil {
 		fmt.Printf("error: %s\n", err.Error())
 	}
 	bucket = *myBucket
 
-	initIndex()
+	initIndexSchematics()
+	initIndexTags()
+	initIndexManufacturers()
+
+	tags = make([]string, 0)
+	manufacturers = make([]string, 0)
+	initTags()
+	initManufacturers()
 }
 
-func initIndex() {
-	collection := database.Collection("schematic")
+func initIndexSchematics() {
+	collection := database.Collection(schematicsCollectionName)
 	indexView := collection.Indexes()
 	ctx, _ := context.WithTimeout(context.Background(), timeout)
 	cursor, err := indexView.List(ctx)
@@ -103,31 +116,138 @@ func initIndex() {
 		if err != nil {
 			log.Fatal(err)
 		}
+		log.Print("create indexes:")
 		for _, name := range names {
 			log.Println(name)
 		}
 	}
-	/*
-	   	db.collection.createIndex( { "key" : 1 },
-	                              { collation: {
-	                                  locale : <locale>,
-	                                  strength : <strength>
-	                                }
-	                              } )
-	*/
 }
 
-func AddFile(File string) (string, error) {
-	filename := filepath.Base(File)
-	uploadOpts := options.GridFSUpload().SetMetadata(bson.D{{"tag", "tag"}})
+func initIndexTags() {
+	collection := database.Collection(tagsCollectionName)
+	indexView := collection.Indexes()
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	cursor, err := indexView.List(ctx)
+	if err != nil {
+		log.Fatal(err)
+	}
+	defer cursor.Close(ctx)
+	myIndexes := make([]string, 0)
+	for cursor.Next(ctx) {
+		var index bson.M
+		if err = cursor.Decode(&index); err != nil {
+			log.Fatal(err)
+		}
+		myIndexes = append(myIndexes, index["name"].(string))
+	}
 
-	f, err := os.Open(File)
+	for _, name := range myIndexes {
+		log.Println(name)
+	}
+	if !slicesutils.Contains(myIndexes, "name") {
+		ctx, _ = context.WithTimeout(context.Background(), timeout)
+		models := []mongo.IndexModel{
+			{
+				Keys:    bson.D{{"name", 1}},
+				Options: options.Index().SetUnique(true).SetName("name").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
+			},
+		}
+
+		// Specify the MaxTime option to limit the amount of time the operation can run on the server
+		opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
+		names, err := indexView.CreateMany(context.TODO(), models, opts)
+		if err != nil {
+			log.Fatal(err)
+		}
+		log.Print("create indexes:")
+		for _, name := range names {
+			log.Println(name)
+		}
+	}
+}
+
+func initIndexManufacturers() {
+	collection := database.Collection(manufacturersCollectionName)
+	indexView := collection.Indexes()
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	cursor, err := indexView.List(ctx)
 	if err != nil {
-		fmt.Printf("error: %s\n", err.Error())
-		return "", err
+		log.Fatal(err)
+	}
+	defer cursor.Close(ctx)
+	myIndexes := make([]string, 0)
+	for cursor.Next(ctx) {
+		var index bson.M
+		if err = cursor.Decode(&index); err != nil {
+			log.Fatal(err)
+		}
+		myIndexes = append(myIndexes, index["name"].(string))
+	}
+
+	for _, name := range myIndexes {
+		log.Println(name)
+	}
+	if !slicesutils.Contains(myIndexes, "name") {
+		ctx, _ = context.WithTimeout(context.Background(), timeout)
+		models := []mongo.IndexModel{
+			{
+				Keys:    bson.D{{"name", 1}},
+				Options: options.Index().SetUnique(true).SetName("name").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
+			},
+		}
+
+		// Specify the MaxTime option to limit the amount of time the operation can run on the server
+		opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
+		names, err := indexView.CreateMany(context.TODO(), models, opts)
+		if err != nil {
+			log.Fatal(err)
+		}
+		log.Print("create indexes:")
+		for _, name := range names {
+			log.Println(name)
+		}
+	}
+}
+
+func initTags() {
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	tagsCollection := database.Collection(tagsCollectionName)
+	cursor, err := tagsCollection.Find(ctx, bson.M{})
+	if err != nil {
+		log.Fatal(err)
+	}
+	defer cursor.Close(ctx)
+	for cursor.Next(ctx) {
+		var tag bson.M
+		if err = cursor.Decode(&tag); err != nil {
+			log.Fatal(err)
+		} else {
+			tags = append(tags, tag["name"].(string))
+		}
 	}
-	defer f.Close()
-	reader := bufio.NewReader(f)
+}
+
+func initManufacturers() {
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	manufacturersCollection := database.Collection(manufacturersCollectionName)
+	cursor, err := manufacturersCollection.Find(ctx, bson.M{})
+	if err != nil {
+		log.Fatal(err)
+	}
+	defer cursor.Close(ctx)
+	for cursor.Next(ctx) {
+		var manufacturer bson.M
+		if err = cursor.Decode(&manufacturer); err != nil {
+			log.Fatal(err)
+		} else {
+			manufacturers = append(manufacturers, manufacturer["name"].(string))
+		}
+	}
+}
+
+// AddFile adding a file to the storage, stream like
+func AddFile(filename string, reader io.Reader) (string, error) {
+	uploadOpts := options.GridFSUpload().SetMetadata(bson.D{{"tag", "tag"}})
 
 	fileID, err := bucket.UploadFromStream(filename, reader, uploadOpts)
 	if err != nil {
@@ -139,9 +259,21 @@ func AddFile(File string) (string, error) {
 	return id, nil
 }
 
+// CreateSchematic creating a new schematic in the database
 func CreateSchematic(schematic model.Schematic) (string, error) {
+
+	for _, tag := range schematic.Tags {
+		if !slicesutils.Contains(tags, tag) {
+			CreateTag(tag)
+		}
+	}
+
+	if !slicesutils.Contains(manufacturers, schematic.Manufacturer) {
+		CreateManufacturer(schematic.Manufacturer)
+	}
+
 	ctx, _ := context.WithTimeout(context.Background(), timeout)
-	collection := database.Collection("schematic")
+	collection := database.Collection(schematicsCollectionName)
 	result, err := collection.InsertOne(ctx, schematic)
 	if err != nil {
 		fmt.Printf("error: %s\n", err.Error())
@@ -155,3 +287,63 @@ func CreateSchematic(schematic model.Schematic) (string, error) {
 	}
 	return result.InsertedID.(string), nil
 }
+
+// CreateTag create a new tag in the storage
+func CreateTag(tag string) error {
+	tag = strings.ToLower(tag)
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	collection := database.Collection(tagsCollectionName)
+	tagModel := bson.M{"name": tag}
+	_, err := collection.InsertOne(ctx, tagModel)
+	if err != nil {
+		fmt.Printf("error: %s\n", err.Error())
+		return err
+	}
+	tags = append(tags, tag)
+	return nil
+}
+
+// CreateManufacturer create a new manufacturer in the storage
+func CreateManufacturer(manufacturer string) error {
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	collection := database.Collection(manufacturersCollectionName)
+	manufacturerModel := bson.M{"name": manufacturer}
+	_, err := collection.InsertOne(ctx, manufacturerModel)
+	if err != nil {
+		fmt.Printf("error: %s\n", err.Error())
+		return err
+	}
+	manufacturers = append(manufacturers, manufacturer)
+	return nil
+}
+
+func GetTags() []string {
+	return tags
+}
+
+func GetManufacturers() []string {
+	return manufacturers
+}
+
+func GetTagsCount() int {
+	return len(tags)
+}
+
+func GetManufacturersCount() int {
+	return len(manufacturers)
+}
+
+func DropAll() {
+	ctx, _ := context.WithTimeout(context.Background(), timeout)
+	collectionNames, err := database.ListCollectionNames(ctx, bson.D{}, &options.ListCollectionsOptions{})
+	if err != nil {
+		log.Fatal(err)
+	}
+	for _, name := range collectionNames {
+		collection := database.Collection(name)
+		err = collection.Drop(ctx)
+		if err != nil {
+			log.Fatal(err)
+		}
+	}
+}

+ 0 - 13
schematic-service-go/deployments/entrypoint.sh

@@ -1,13 +0,0 @@
-#!/bin/sh
-set -e
-
-# Create temporary ssl certificate
-echo "[$(date -R)] [ENTRYPOINT] Create selfsigned certificate"
-export RANDFILE=/tmp/ssl/.rnd
-mkdir -p /tmp/ssl
-openssl ecparam -genkey -name prime256v1 -out /tmp/ssl/localhost.key
-openssl req -new -subj "/O=Container Security/CN=$(hostname -s)" -key /tmp/ssl/localhost.key -out /tmp/ssl/localhost.csr
-openssl x509 -req -days 3650 -sha256 -in /tmp/ssl/localhost.csr -signkey /tmp/ssl/localhost.key -out /tmp/ssl/localhost.pem > /dev/null 2>&1
-echo ""
-
-exec /usr/local/bin/gomicro 

+ 4 - 1
schematic-service-go/devdata/mongo.txt

@@ -1,2 +1,5 @@
 use schematic
-db.createUser({ user: "schematic", pwd: "schematic", roles: [ "readWrite", "dbAdmin", { role: "dbOwner", db: "schematic" } ]})
+db.createUser({ user: "schematic", pwd: "schematic", roles: [ "readWrite", "dbAdmin", { role: "dbOwner", db: "schematic" } ]})
+
+
+query with Collation {locale: "en", strength : 2}