mongodao.go 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827
  1. package dao
  2. import (
  3. "context"
  4. "encoding/json"
  5. "errors"
  6. "fmt"
  7. "io"
  8. "log"
  9. "sort"
  10. "strings"
  11. "time"
  12. "github.com/willie68/schematic-service-go/config"
  13. slicesutils "github.com/willie68/schematic-service-go/internal"
  14. "github.com/willie68/schematic-service-go/model"
  15. "go.mongodb.org/mongo-driver/bson"
  16. "go.mongodb.org/mongo-driver/bson/primitive"
  17. "go.mongodb.org/mongo-driver/mongo"
  18. "go.mongodb.org/mongo-driver/mongo/gridfs"
  19. "go.mongodb.org/mongo-driver/mongo/options"
  20. )
  21. // time to reload all users
  22. const userReloadPeriod = 1 * time.Hour
  23. const timeout = 1 * time.Minute
  24. const attachmentsCollectionName = "attachments"
  25. const schematicsCollectionName = "schematics"
  26. const tagsCollectionName = "tags"
  27. const manufacturersCollectionName = "manufacturers"
  28. const usersCollectionName = "users"
  29. // MongoDAO a mongodb based dao
  30. type MongoDAO struct {
  31. initialised bool
  32. client *mongo.Client
  33. mongoConfig config.MongoDB
  34. bucket gridfs.Bucket
  35. database mongo.Database
  36. tags model.Tags
  37. manufacturers model.Manufacturers
  38. users map[string]string
  39. ticker time.Ticker
  40. done chan bool
  41. }
  42. // InitDAO initialise the mongodb connection, build up all collections and indexes
  43. func (m *MongoDAO) InitDAO(MongoConfig config.MongoDB) {
  44. m.initialised = false
  45. m.mongoConfig = MongoConfig
  46. // uri := fmt.Sprintf("mongodb://%s:%s@%s:%d", mongoConfig.Username, mongoConfig.Password, mongoConfig.Host, mongoConfig.Port)
  47. uri := fmt.Sprintf("mongodb://%s:%d", m.mongoConfig.Host, m.mongoConfig.Port)
  48. clientOptions := options.Client()
  49. clientOptions.ApplyURI(uri)
  50. clientOptions.Auth = &options.Credential{Username: m.mongoConfig.Username, Password: m.mongoConfig.Password, AuthSource: m.mongoConfig.AuthDB}
  51. var err error
  52. m.client, err = mongo.NewClient(clientOptions)
  53. if err != nil {
  54. fmt.Printf("error: %s\n", err.Error())
  55. }
  56. ctx, cancel := context.WithTimeout(context.Background(), timeout)
  57. defer cancel()
  58. err = m.client.Connect(ctx)
  59. if err != nil {
  60. fmt.Printf("error: %s\n", err.Error())
  61. }
  62. m.database = *m.client.Database(m.mongoConfig.Database)
  63. myBucket, err := gridfs.NewBucket(&m.database, options.GridFSBucket().SetName(attachmentsCollectionName))
  64. if err != nil {
  65. fmt.Printf("error: %s\n", err.Error())
  66. }
  67. m.bucket = *myBucket
  68. m.initIndexSchematics()
  69. m.initIndexTags()
  70. m.initIndexManufacturers()
  71. m.tags = model.NewTags()
  72. m.manufacturers = model.NewManufacturers()
  73. m.users = make(map[string]string)
  74. m.initTags()
  75. m.initManufacturers()
  76. m.initUsers()
  77. m.initialised = true
  78. }
  79. func (m *MongoDAO) initIndexSchematics() {
  80. collection := m.database.Collection(schematicsCollectionName)
  81. indexView := collection.Indexes()
  82. ctx, _ := context.WithTimeout(context.Background(), timeout)
  83. cursor, err := indexView.List(ctx)
  84. if err != nil {
  85. log.Fatal(err)
  86. }
  87. defer cursor.Close(ctx)
  88. myIndexes := make([]string, 0)
  89. for cursor.Next(ctx) {
  90. var index bson.M
  91. if err = cursor.Decode(&index); err != nil {
  92. log.Fatal(err)
  93. }
  94. myIndexes = append(myIndexes, index["name"].(string))
  95. }
  96. if !slicesutils.Contains(myIndexes, "manufacturer") {
  97. ctx, _ = context.WithTimeout(context.Background(), timeout)
  98. models := []mongo.IndexModel{
  99. {
  100. Keys: bson.D{{"manufacturer", 1}},
  101. Options: options.Index().SetName("manufacturer").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  102. },
  103. {
  104. Keys: bson.D{{"model", 1}},
  105. Options: options.Index().SetName("model").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  106. },
  107. {
  108. Keys: bson.D{{"tags", 1}},
  109. Options: options.Index().SetName("tags").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  110. },
  111. {
  112. Keys: bson.D{{"subtitle", 1}},
  113. Options: options.Index().SetName("subtitle").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  114. },
  115. {
  116. Keys: bson.D{{"manufacturer", "text"}, {"model", "text"}, {"tags", "text"}, {"subtitle", "text"}, {"description", "text"}, {"owner", "text"}},
  117. Options: options.Index().SetName("$text"),
  118. },
  119. }
  120. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  121. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  122. names, err := indexView.CreateMany(context.TODO(), models, opts)
  123. if err != nil {
  124. log.Fatal(err)
  125. }
  126. log.Print("create indexes:")
  127. for _, name := range names {
  128. log.Println(name)
  129. }
  130. }
  131. }
  132. func (m *MongoDAO) initIndexTags() {
  133. collection := m.database.Collection(tagsCollectionName)
  134. indexView := collection.Indexes()
  135. ctx, _ := context.WithTimeout(context.Background(), timeout)
  136. cursor, err := indexView.List(ctx)
  137. if err != nil {
  138. log.Fatal(err)
  139. }
  140. defer cursor.Close(ctx)
  141. myIndexes := make([]string, 0)
  142. for cursor.Next(ctx) {
  143. var index bson.M
  144. if err = cursor.Decode(&index); err != nil {
  145. log.Fatal(err)
  146. }
  147. myIndexes = append(myIndexes, index["name"].(string))
  148. }
  149. if !slicesutils.Contains(myIndexes, "name") {
  150. ctx, _ = context.WithTimeout(context.Background(), timeout)
  151. models := []mongo.IndexModel{
  152. {
  153. Keys: bson.D{{"name", 1}},
  154. Options: options.Index().SetUnique(true).SetName("name").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  155. },
  156. }
  157. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  158. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  159. names, err := indexView.CreateMany(context.TODO(), models, opts)
  160. if err != nil {
  161. log.Fatal(err)
  162. }
  163. log.Print("create indexes:")
  164. for _, name := range names {
  165. log.Println(name)
  166. }
  167. }
  168. }
  169. func (m *MongoDAO) initIndexManufacturers() {
  170. collection := m.database.Collection(manufacturersCollectionName)
  171. indexView := collection.Indexes()
  172. ctx, _ := context.WithTimeout(context.Background(), timeout)
  173. cursor, err := indexView.List(ctx)
  174. if err != nil {
  175. log.Fatal(err)
  176. }
  177. defer cursor.Close(ctx)
  178. myIndexes := make([]string, 0)
  179. for cursor.Next(ctx) {
  180. var index bson.M
  181. if err = cursor.Decode(&index); err != nil {
  182. log.Fatal(err)
  183. }
  184. myIndexes = append(myIndexes, index["name"].(string))
  185. }
  186. if !slicesutils.Contains(myIndexes, "name") {
  187. ctx, _ = context.WithTimeout(context.Background(), timeout)
  188. models := []mongo.IndexModel{
  189. {
  190. Keys: bson.D{{"name", 1}},
  191. Options: options.Index().SetUnique(true).SetName("name").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  192. },
  193. }
  194. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  195. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  196. names, err := indexView.CreateMany(context.TODO(), models, opts)
  197. if err != nil {
  198. log.Fatal(err)
  199. }
  200. log.Print("create indexes:")
  201. for _, name := range names {
  202. log.Println(name)
  203. }
  204. }
  205. }
  206. func (m *MongoDAO) initTags() {
  207. m.reloadTags()
  208. }
  209. func (m *MongoDAO) initManufacturers() {
  210. m.reloadManufacturers()
  211. }
  212. func (m *MongoDAO) initUsers() {
  213. m.reloadUsers()
  214. go func() {
  215. background := time.NewTicker(userReloadPeriod)
  216. for _ = range background.C {
  217. m.reloadUsers()
  218. m.reloadTags()
  219. m.reloadManufacturers()
  220. }
  221. }()
  222. }
  223. func (m *MongoDAO) reloadUsers() {
  224. ctx, _ := context.WithTimeout(context.Background(), timeout)
  225. usersCollection := m.database.Collection(usersCollectionName)
  226. cursor, err := usersCollection.Find(ctx, bson.M{})
  227. if err != nil {
  228. log.Fatal(err)
  229. }
  230. defer cursor.Close(ctx)
  231. localUsers := make(map[string]string)
  232. for cursor.Next(ctx) {
  233. var user bson.M
  234. if err = cursor.Decode(&user); err != nil {
  235. log.Fatal(err)
  236. } else {
  237. username := strings.ToLower(user["name"].(string))
  238. password := user["password"].(string)
  239. localUsers[username] = BuildPasswordHash(password)
  240. }
  241. }
  242. m.users = localUsers
  243. if len(m.users) == 0 {
  244. admin := model.User{
  245. Name: "w.klaas@gmx.de",
  246. Password: "akteon0000",
  247. Admin: true,
  248. }
  249. m.AddUser(admin)
  250. guest := model.User{
  251. Name: "gast",
  252. Password: "gast1234",
  253. Admin: false,
  254. Guest: true,
  255. }
  256. m.AddUser(guest)
  257. }
  258. }
  259. func (m *MongoDAO) reloadTags() {
  260. myTags := model.NewTags()
  261. ctx, _ := context.WithTimeout(context.Background(), timeout)
  262. tagsCollection := m.database.Collection(tagsCollectionName)
  263. cursor, err := tagsCollection.Find(ctx, bson.M{})
  264. if err != nil {
  265. log.Fatal(err)
  266. }
  267. defer cursor.Close(ctx)
  268. tagList := make([]string, 0)
  269. for cursor.Next(ctx) {
  270. var tag bson.M
  271. if err = cursor.Decode(&tag); err != nil {
  272. log.Fatal(err)
  273. } else {
  274. tagList = append(tagList, tag["name"].(string))
  275. }
  276. }
  277. ctx, _ = context.WithTimeout(context.Background(), timeout)
  278. schematicCollection := m.database.Collection(schematicsCollectionName)
  279. for _, tagName := range tagList {
  280. queryDoc := bson.M{
  281. "tags": tagName,
  282. }
  283. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  284. if err != nil {
  285. log.Println(err)
  286. }
  287. //log.Printf("tag: %s has %d schematics.", tagName, n)
  288. myTags.Add(tagName, int(n))
  289. }
  290. m.tags = myTags
  291. }
  292. func (m *MongoDAO) reloadManufacturers() {
  293. myManufacturer := model.NewManufacturers()
  294. ctx, _ := context.WithTimeout(context.Background(), timeout)
  295. manufacturersCollection := m.database.Collection(manufacturersCollectionName)
  296. cursor, err := manufacturersCollection.Find(ctx, bson.M{})
  297. if err != nil {
  298. log.Fatal(err)
  299. }
  300. defer cursor.Close(ctx)
  301. manuList := make([]string, 0)
  302. for cursor.Next(ctx) {
  303. var manufacturer bson.M
  304. if err = cursor.Decode(&manufacturer); err != nil {
  305. log.Fatal(err)
  306. } else {
  307. manuList = append(manuList, manufacturer["name"].(string))
  308. }
  309. }
  310. ctx, _ = context.WithTimeout(context.Background(), timeout)
  311. schematicCollection := m.database.Collection(schematicsCollectionName)
  312. for _, manuName := range manuList {
  313. queryDoc := bson.M{
  314. "manufacturer": manuName,
  315. }
  316. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  317. if err != nil {
  318. log.Println(err)
  319. }
  320. //log.Printf("manufacturer: %s has %d schematics.", manuName, n)
  321. myManufacturer.Add(manuName, int(n))
  322. }
  323. m.manufacturers = myManufacturer
  324. }
  325. // AddFile adding a file to the storage, stream like
  326. func (m *MongoDAO) AddFile(filename string, reader io.Reader) (string, error) {
  327. uploadOpts := options.GridFSUpload().SetMetadata(bson.D{{"tag", "tag"}})
  328. fileID, err := m.bucket.UploadFromStream(filename, reader, uploadOpts)
  329. if err != nil {
  330. fmt.Printf("error: %s\n", err.Error())
  331. return "", err
  332. }
  333. log.Printf("Write file to DB was successful. File id: %s \n", fileID)
  334. id := fileID.Hex()
  335. return id, nil
  336. }
  337. // CreateSchematic creating a new schematic in the database
  338. func (m *MongoDAO) CreateSchematic(schematic model.Schematic) (string, error) {
  339. for _, tag := range schematic.Tags {
  340. if !m.tags.Contains(tag) {
  341. m.CreateTag(tag)
  342. }
  343. }
  344. if !m.manufacturers.Contains(schematic.Manufacturer) {
  345. m.CreateManufacturer(schematic.Manufacturer)
  346. }
  347. ctx, _ := context.WithTimeout(context.Background(), timeout)
  348. collection := m.database.Collection(schematicsCollectionName)
  349. result, err := collection.InsertOne(ctx, schematic)
  350. if err != nil {
  351. fmt.Printf("error: %s\n", err.Error())
  352. return "", err
  353. }
  354. filter := bson.M{"_id": result.InsertedID}
  355. err = collection.FindOne(ctx, filter).Decode(&schematic)
  356. if err != nil {
  357. fmt.Printf("error: %s\n", err.Error())
  358. return "", err
  359. }
  360. switch v := result.InsertedID.(type) {
  361. case primitive.ObjectID:
  362. return v.Hex(), nil
  363. }
  364. return "", nil
  365. }
  366. // UpdateSchematic creating a new schematic in the database
  367. func (m *MongoDAO) UpdateSchematic(schematic model.Schematic) (string, error) {
  368. for _, tag := range schematic.Tags {
  369. if !m.tags.Contains(tag) {
  370. m.CreateTag(tag)
  371. }
  372. }
  373. if !m.manufacturers.Contains(schematic.Manufacturer) {
  374. m.CreateManufacturer(schematic.Manufacturer)
  375. }
  376. ctx, _ := context.WithTimeout(context.Background(), timeout)
  377. collection := m.database.Collection(schematicsCollectionName)
  378. filter := bson.M{"_id": schematic.ID}
  379. updateDoc := bson.D{{"$set", schematic}}
  380. result, err := collection.UpdateOne(ctx, filter, updateDoc)
  381. if err != nil {
  382. fmt.Printf("error: %s\n", err.Error())
  383. return "", err
  384. }
  385. if result.ModifiedCount != 1 {
  386. return "", errors.New("can't update document.")
  387. }
  388. err = collection.FindOne(ctx, filter).Decode(&schematic)
  389. if err != nil {
  390. fmt.Printf("error: %s\n", err.Error())
  391. return "", err
  392. }
  393. return schematic.ID.Hex(), nil
  394. }
  395. // GetSchematic getting a sdingle schematic
  396. func (m *MongoDAO) GetSchematic(schematicID string) (model.Schematic, error) {
  397. ctx, _ := context.WithTimeout(context.Background(), timeout)
  398. schematicCollection := m.database.Collection(schematicsCollectionName)
  399. objectID, _ := primitive.ObjectIDFromHex(schematicID)
  400. result := schematicCollection.FindOne(ctx, bson.M{"_id": objectID})
  401. err := result.Err()
  402. if err == mongo.ErrNoDocuments {
  403. log.Print(err)
  404. return model.Schematic{}, ErrNoDocument
  405. }
  406. if err != nil {
  407. log.Print(err)
  408. return model.Schematic{}, err
  409. }
  410. var schematic model.Schematic
  411. if err := result.Decode(&schematic); err != nil {
  412. log.Print(err)
  413. return model.Schematic{}, err
  414. } else {
  415. return schematic, nil
  416. }
  417. }
  418. // DeleteSchematic getting a sdingle schematic
  419. func (m *MongoDAO) DeleteSchematic(schematicID string) error {
  420. ctx, _ := context.WithTimeout(context.Background(), timeout)
  421. schematicCollection := m.database.Collection(schematicsCollectionName)
  422. objectID, _ := primitive.ObjectIDFromHex(schematicID)
  423. result, err := schematicCollection.DeleteOne(ctx, bson.M{"_id": objectID})
  424. if err != nil {
  425. log.Print(err)
  426. return err
  427. } else {
  428. if result.DeletedCount > 0 {
  429. return nil
  430. }
  431. return ErrNoDocument
  432. }
  433. }
  434. //GetFile getting a single from the database with the id
  435. func (m *MongoDAO) GetFilename(fileid string) (string, error) {
  436. objectID, err := primitive.ObjectIDFromHex(fileid)
  437. if err != nil {
  438. log.Print(err)
  439. return "", err
  440. }
  441. ctx, _ := context.WithTimeout(context.Background(), timeout)
  442. cursor, err := m.bucket.Find(bson.M{"_id": objectID})
  443. if err != nil {
  444. log.Print(err)
  445. return "", err
  446. }
  447. defer cursor.Close(ctx)
  448. cursor.Next(ctx)
  449. var file bson.M
  450. var filename string
  451. if err = cursor.Decode(&file); err != nil {
  452. log.Print(err)
  453. return "", err
  454. } else {
  455. filename = file["filename"].(string)
  456. }
  457. return filename, nil
  458. }
  459. //GetFile getting a single from the database with the id
  460. func (m *MongoDAO) GetFile(fileid string, stream io.Writer) error {
  461. objectID, err := primitive.ObjectIDFromHex(fileid)
  462. if err != nil {
  463. log.Print(err)
  464. return err
  465. }
  466. dStream, err := m.bucket.DownloadToStream(objectID, stream)
  467. if err != nil {
  468. log.Print(err)
  469. return err
  470. }
  471. fmt.Printf("File size to download: %v \n", dStream)
  472. return nil
  473. }
  474. // GetSchematics getting a sdingle schematic
  475. func (m *MongoDAO) GetSchematics(query string, offset int, limit int, owner string) (int64, []model.Schematic, error) {
  476. ctx, _ := context.WithTimeout(context.Background(), timeout)
  477. schematicCollection := m.database.Collection(schematicsCollectionName)
  478. var queryM map[string]interface{}
  479. err := json.Unmarshal([]byte(query), &queryM)
  480. if err != nil {
  481. log.Print(err)
  482. return 0, nil, err
  483. }
  484. queryDoc := bson.M{}
  485. for k, v := range queryM {
  486. if k == "$fulltext" {
  487. queryDoc["$text"] = bson.M{"$search": v}
  488. } else {
  489. switch v := v.(type) {
  490. // case float64:
  491. // case int:
  492. // case bool:
  493. case string:
  494. queryDoc[k] = bson.M{"$regex": v}
  495. }
  496. //queryDoc[k] = v
  497. }
  498. }
  499. data, _ := json.Marshal(queryDoc)
  500. log.Printf("mongoquery: %s\n", string(data))
  501. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  502. if err != nil {
  503. log.Print(err)
  504. return 0, nil, err
  505. }
  506. cursor, err := schematicCollection.Find(ctx, queryDoc, &options.FindOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  507. if err != nil {
  508. log.Print(err)
  509. return 0, nil, err
  510. }
  511. defer cursor.Close(ctx)
  512. schematics := make([]model.Schematic, 0)
  513. count := 0
  514. docs := 0
  515. for cursor.Next(ctx) {
  516. if count >= offset {
  517. if docs < limit {
  518. var schematic model.Schematic
  519. if err = cursor.Decode(&schematic); err != nil {
  520. log.Print(err)
  521. return 0, nil, err
  522. } else {
  523. if !schematic.PrivateFile || schematic.Owner == owner {
  524. schematics = append(schematics, schematic)
  525. docs++
  526. }
  527. }
  528. } else {
  529. break
  530. }
  531. }
  532. count++
  533. }
  534. return n, schematics, nil
  535. }
  536. // GetSchematicsCount getting a sdingle schematic
  537. func (m *MongoDAO) GetSchematicsCount(query string, owner string) (int64, error) {
  538. ctx, _ := context.WithTimeout(context.Background(), timeout)
  539. schematicCollection := m.database.Collection(schematicsCollectionName)
  540. queryDoc := bson.M{}
  541. if query != "" {
  542. var queryM map[string]interface{}
  543. err := json.Unmarshal([]byte(query), &queryM)
  544. if err != nil {
  545. log.Print(err)
  546. return 0, err
  547. }
  548. for k, v := range queryM {
  549. if k == "$fulltext" {
  550. queryDoc["$text"] = bson.M{"$search": v}
  551. } else {
  552. switch v := v.(type) {
  553. // case float64:
  554. // case int:
  555. // case bool:
  556. case string:
  557. queryDoc[k] = bson.M{"$regex": v}
  558. }
  559. //queryDoc[k] = v
  560. }
  561. }
  562. data, _ := json.Marshal(queryDoc)
  563. log.Printf("mongoquery: %s\n", string(data))
  564. }
  565. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  566. if err != nil {
  567. log.Print(err)
  568. return 0, err
  569. }
  570. return n, nil
  571. }
  572. // CreateTag create a new tag in the storage
  573. func (m *MongoDAO) CreateTag(tag string) error {
  574. tag = strings.ToLower(tag)
  575. ctx, _ := context.WithTimeout(context.Background(), timeout)
  576. collection := m.database.Collection(tagsCollectionName)
  577. tagModel := bson.M{"name": tag}
  578. _, err := collection.InsertOne(ctx, tagModel)
  579. if err != nil {
  580. fmt.Printf("error: %s\n", err.Error())
  581. return err
  582. }
  583. m.tags.Add(tag, 1)
  584. return nil
  585. }
  586. //GetTags getting a list of all tags
  587. func (m *MongoDAO) GetTags() []model.Tag {
  588. sort.Slice(m.tags.List, func(i, j int) bool { return m.tags.List[i].Name < m.tags.List[j].Name })
  589. return m.tags.List
  590. }
  591. // GetTagsCount getting the count of all tags
  592. func (m *MongoDAO) GetTagsCount() int {
  593. return len(m.tags.List)
  594. }
  595. // CreateManufacturer create a new manufacturer in the storage
  596. func (m *MongoDAO) CreateManufacturer(manufacturer string) error {
  597. ctx, _ := context.WithTimeout(context.Background(), timeout)
  598. collection := m.database.Collection(manufacturersCollectionName)
  599. manufacturerModel := bson.M{"name": manufacturer}
  600. _, err := collection.InsertOne(ctx, manufacturerModel)
  601. if err != nil {
  602. fmt.Printf("error: %s\n", err.Error())
  603. return err
  604. }
  605. m.manufacturers.Add(manufacturer, 1)
  606. return nil
  607. }
  608. // GetManufacturers getting a list of all manufacturers
  609. func (m *MongoDAO) GetManufacturers() []model.Manufacturer {
  610. sort.Slice(m.manufacturers.List, func(i, j int) bool { return m.manufacturers.List[i].Name < m.manufacturers.List[j].Name })
  611. return m.manufacturers.List
  612. }
  613. // GetManufacturersCount getting the count of all manufacturers
  614. func (m *MongoDAO) GetManufacturersCount() int {
  615. return len(m.manufacturers.List)
  616. }
  617. // CheckUser checking username and password... returns true if the user is active and the password for this user is correct
  618. func (m *MongoDAO) CheckUser(username string, password string) bool {
  619. username = strings.ToLower(username)
  620. pwd, ok := m.users[username]
  621. if ok {
  622. if pwd == password {
  623. return true
  624. } else {
  625. user, ok := m.GetUser(username)
  626. if ok {
  627. if user.Password == password {
  628. return true
  629. }
  630. }
  631. }
  632. }
  633. if !ok {
  634. user, ok := m.GetUser(username)
  635. if ok {
  636. if user.Password == password {
  637. return true
  638. }
  639. }
  640. }
  641. return false
  642. }
  643. // GetUser getting the usermolde
  644. func (m *MongoDAO) GetUser(username string) (model.User, bool) {
  645. username = strings.ToLower(username)
  646. ctx, _ := context.WithTimeout(context.Background(), timeout)
  647. usersCollection := m.database.Collection(usersCollectionName)
  648. var user model.User
  649. filter := bson.M{"name": username}
  650. err := usersCollection.FindOne(ctx, filter).Decode(&user)
  651. if err != nil {
  652. fmt.Printf("error: %s\n", err.Error())
  653. return model.User{}, false
  654. }
  655. password := user.Password
  656. hash := BuildPasswordHash(password)
  657. m.users[username] = hash
  658. return user, true
  659. }
  660. // DropAll dropping all data from the database
  661. func (m *MongoDAO) DropAll() {
  662. ctx, _ := context.WithTimeout(context.Background(), timeout)
  663. collectionNames, err := m.database.ListCollectionNames(ctx, bson.D{}, &options.ListCollectionsOptions{})
  664. if err != nil {
  665. log.Fatal(err)
  666. }
  667. for _, name := range collectionNames {
  668. if name != usersCollectionName {
  669. collection := m.database.Collection(name)
  670. err = collection.Drop(ctx)
  671. if err != nil {
  672. log.Fatal(err)
  673. }
  674. }
  675. }
  676. }
  677. // Stop stopping the mongodao
  678. func (m *MongoDAO) Stop() {
  679. m.ticker.Stop()
  680. m.done <- true
  681. }
  682. // AddUser adding a new user to the system
  683. func (m *MongoDAO) AddUser(user model.User) error {
  684. if user.Name == "" {
  685. return errors.New("username should not be empty")
  686. }
  687. user.Name = strings.ToLower(user.Name)
  688. _, ok := m.users[user.Name]
  689. if ok {
  690. return errors.New("username already exists")
  691. }
  692. user.Password = BuildPasswordHash(user.Password)
  693. ctx, _ := context.WithTimeout(context.Background(), timeout)
  694. collection := m.database.Collection(usersCollectionName)
  695. _, err := collection.InsertOne(ctx, user)
  696. if err != nil {
  697. fmt.Printf("error: %s\n", err.Error())
  698. return err
  699. }
  700. m.users[user.Name] = user.Password
  701. return nil
  702. }
  703. // DeleteUser deletes one user from the system
  704. func (m *MongoDAO) DeleteUser(username string) error {
  705. if username == "" {
  706. return errors.New("username should not be empty")
  707. }
  708. username = strings.ToLower(username)
  709. _, ok := m.users[username]
  710. if !ok {
  711. return errors.New("username not exists")
  712. }
  713. ctx, _ := context.WithTimeout(context.Background(), timeout)
  714. collection := m.database.Collection(usersCollectionName)
  715. filter := bson.M{"name": username}
  716. _, err := collection.DeleteOne(ctx, filter)
  717. if err != nil {
  718. fmt.Printf("error: %s\n", err.Error())
  719. return err
  720. }
  721. delete(m.users, username)
  722. return nil
  723. }
  724. // ChangePWD changes the apssword of a single user
  725. func (m *MongoDAO) ChangePWD(username string, newpassword string, oldpassword string) error {
  726. if username == "" {
  727. return errors.New("username should not be empty")
  728. }
  729. username = strings.ToLower(username)
  730. pwd, ok := m.users[username]
  731. if !ok {
  732. return errors.New("username not registered")
  733. }
  734. newpassword = BuildPasswordHash(newpassword)
  735. oldpassword = BuildPasswordHash(oldpassword)
  736. if pwd != oldpassword {
  737. return errors.New("actual password incorrect")
  738. }
  739. ctx, _ := context.WithTimeout(context.Background(), timeout)
  740. collection := m.database.Collection(usersCollectionName)
  741. filter := bson.M{"name": username}
  742. update := bson.D{{"$set", bson.D{{"password", newpassword}}}}
  743. result := collection.FindOneAndUpdate(ctx, filter, update)
  744. if result.Err() != nil {
  745. fmt.Printf("error: %s\n", result.Err().Error())
  746. return result.Err()
  747. }
  748. m.users[username] = newpassword
  749. return nil
  750. }
  751. // Ping pinging the mongoDao
  752. func (m *MongoDAO) Ping() error {
  753. if !m.initialised {
  754. return errors.New("mongo client not initialised")
  755. }
  756. ctx, _ := context.WithTimeout(context.Background(), timeout)
  757. return m.database.Client().Ping(ctx, nil)
  758. }