mongodao.go 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134
  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. const effectsCollectionName = "effects"
  30. const effectTypesCollectionName = "effectTypes"
  31. // MongoDAO a mongodb based dao
  32. type MongoDAO struct {
  33. initialised bool
  34. client *mongo.Client
  35. mongoConfig config.MongoDB
  36. bucket gridfs.Bucket
  37. database mongo.Database
  38. tags model.Tags
  39. manufacturers model.Manufacturers
  40. users map[string]string
  41. ticker time.Ticker
  42. done chan bool
  43. }
  44. // InitDAO initialise the mongodb connection, build up all collections and indexes
  45. func (m *MongoDAO) InitDAO(MongoConfig config.MongoDB) {
  46. m.initialised = false
  47. m.mongoConfig = MongoConfig
  48. // uri := fmt.Sprintf("mongodb://%s:%s@%s:%d", mongoConfig.Username, mongoConfig.Password, mongoConfig.Host, mongoConfig.Port)
  49. uri := fmt.Sprintf("mongodb://%s:%d", m.mongoConfig.Host, m.mongoConfig.Port)
  50. clientOptions := options.Client()
  51. clientOptions.ApplyURI(uri)
  52. clientOptions.Auth = &options.Credential{Username: m.mongoConfig.Username, Password: m.mongoConfig.Password, AuthSource: m.mongoConfig.AuthDB}
  53. var err error
  54. m.client, err = mongo.NewClient(clientOptions)
  55. if err != nil {
  56. fmt.Printf("error: %s\n", err.Error())
  57. }
  58. ctx, cancel := context.WithTimeout(context.Background(), timeout)
  59. defer cancel()
  60. err = m.client.Connect(ctx)
  61. if err != nil {
  62. fmt.Printf("error: %s\n", err.Error())
  63. }
  64. m.database = *m.client.Database(m.mongoConfig.Database)
  65. myBucket, err := gridfs.NewBucket(&m.database, options.GridFSBucket().SetName(attachmentsCollectionName))
  66. if err != nil {
  67. fmt.Printf("error: %s\n", err.Error())
  68. }
  69. m.bucket = *myBucket
  70. m.initIndexSchematics()
  71. m.initIndexTags()
  72. m.initIndexManufacturers()
  73. m.initIndexEffectTypes()
  74. m.initIndexEffects()
  75. m.tags = model.NewTags()
  76. m.manufacturers = model.NewManufacturers()
  77. m.users = make(map[string]string)
  78. m.initTags()
  79. m.initManufacturers()
  80. m.initUsers()
  81. m.initialised = true
  82. }
  83. func (m *MongoDAO) initIndexSchematics() {
  84. collection := m.database.Collection(schematicsCollectionName)
  85. indexView := collection.Indexes()
  86. ctx, _ := context.WithTimeout(context.Background(), timeout)
  87. cursor, err := indexView.List(ctx)
  88. if err != nil {
  89. log.Fatal(err)
  90. }
  91. defer cursor.Close(ctx)
  92. myIndexes := make([]string, 0)
  93. for cursor.Next(ctx) {
  94. var index bson.M
  95. if err = cursor.Decode(&index); err != nil {
  96. log.Fatal(err)
  97. }
  98. myIndexes = append(myIndexes, index["name"].(string))
  99. }
  100. if !slicesutils.Contains(myIndexes, "manufacturer") {
  101. ctx, _ = context.WithTimeout(context.Background(), timeout)
  102. models := []mongo.IndexModel{
  103. {
  104. Keys: bson.D{{"manufacturer", 1}},
  105. Options: options.Index().SetName("manufacturer").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  106. },
  107. {
  108. Keys: bson.D{{"model", 1}},
  109. Options: options.Index().SetName("model").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  110. },
  111. {
  112. Keys: bson.D{{"tags", 1}},
  113. Options: options.Index().SetName("tags").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  114. },
  115. {
  116. Keys: bson.D{{"subtitle", 1}},
  117. Options: options.Index().SetName("subtitle").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  118. },
  119. {
  120. Keys: bson.D{{"manufacturer", "text"}, {"model", "text"}, {"tags", "text"}, {"subtitle", "text"}, {"description", "text"}, {"owner", "text"}},
  121. Options: options.Index().SetName("$text"),
  122. },
  123. }
  124. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  125. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  126. names, err := indexView.CreateMany(context.TODO(), models, opts)
  127. if err != nil {
  128. log.Fatal(err)
  129. }
  130. log.Print("create indexes:")
  131. for _, name := range names {
  132. log.Println(name)
  133. }
  134. }
  135. }
  136. func (m *MongoDAO) initIndexTags() {
  137. collection := m.database.Collection(tagsCollectionName)
  138. indexView := collection.Indexes()
  139. ctx, _ := context.WithTimeout(context.Background(), timeout)
  140. cursor, err := indexView.List(ctx)
  141. if err != nil {
  142. log.Fatal(err)
  143. }
  144. defer cursor.Close(ctx)
  145. myIndexes := make([]string, 0)
  146. for cursor.Next(ctx) {
  147. var index bson.M
  148. if err = cursor.Decode(&index); err != nil {
  149. log.Fatal(err)
  150. }
  151. myIndexes = append(myIndexes, index["name"].(string))
  152. }
  153. if !slicesutils.Contains(myIndexes, "name") {
  154. ctx, _ = context.WithTimeout(context.Background(), timeout)
  155. models := []mongo.IndexModel{
  156. {
  157. Keys: bson.D{{"name", 1}},
  158. Options: options.Index().SetUnique(true).SetName("name").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  159. },
  160. }
  161. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  162. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  163. names, err := indexView.CreateMany(context.TODO(), models, opts)
  164. if err != nil {
  165. log.Fatal(err)
  166. }
  167. log.Print("create indexes:")
  168. for _, name := range names {
  169. log.Println(name)
  170. }
  171. }
  172. }
  173. func (m *MongoDAO) initIndexManufacturers() {
  174. collection := m.database.Collection(manufacturersCollectionName)
  175. indexView := collection.Indexes()
  176. ctx, _ := context.WithTimeout(context.Background(), timeout)
  177. cursor, err := indexView.List(ctx)
  178. if err != nil {
  179. log.Fatal(err)
  180. }
  181. defer cursor.Close(ctx)
  182. myIndexes := make([]string, 0)
  183. for cursor.Next(ctx) {
  184. var index bson.M
  185. if err = cursor.Decode(&index); err != nil {
  186. log.Fatal(err)
  187. }
  188. myIndexes = append(myIndexes, index["name"].(string))
  189. }
  190. if !slicesutils.Contains(myIndexes, "name") {
  191. ctx, _ = context.WithTimeout(context.Background(), timeout)
  192. models := []mongo.IndexModel{
  193. {
  194. Keys: bson.D{{"name", 1}},
  195. Options: options.Index().SetUnique(true).SetName("name").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  196. },
  197. }
  198. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  199. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  200. names, err := indexView.CreateMany(context.TODO(), models, opts)
  201. if err != nil {
  202. log.Fatal(err)
  203. }
  204. log.Print("create indexes:")
  205. for _, name := range names {
  206. log.Println(name)
  207. }
  208. }
  209. }
  210. func (m *MongoDAO) initIndexEffects() {
  211. collection := m.database.Collection(effectsCollectionName)
  212. indexView := collection.Indexes()
  213. ctx, _ := context.WithTimeout(context.Background(), timeout)
  214. cursor, err := indexView.List(ctx)
  215. if err != nil {
  216. log.Fatal(err)
  217. }
  218. defer cursor.Close(ctx)
  219. myIndexes := make([]string, 0)
  220. for cursor.Next(ctx) {
  221. var index bson.M
  222. if err = cursor.Decode(&index); err != nil {
  223. log.Fatal(err)
  224. }
  225. myIndexes = append(myIndexes, index["name"].(string))
  226. }
  227. if !slicesutils.Contains(myIndexes, "effectType") {
  228. ctx, _ = context.WithTimeout(context.Background(), timeout)
  229. models := []mongo.IndexModel{
  230. {
  231. Keys: bson.D{{"effectType", 1}},
  232. Options: options.Index().SetName("effectType").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  233. },
  234. {
  235. Keys: bson.D{{"manufacturer", 1}},
  236. Options: options.Index().SetName("manufacturer").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  237. },
  238. {
  239. Keys: bson.D{{"model", 1}},
  240. Options: options.Index().SetName("model").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  241. },
  242. {
  243. Keys: bson.D{{"tags", 1}},
  244. Options: options.Index().SetName("tags").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  245. },
  246. {
  247. Keys: bson.D{{"comment", 1}},
  248. Options: options.Index().SetName("comment").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  249. },
  250. {
  251. Keys: bson.D{{"effectType", "text"}, {"manufacturer", "text"}, {"model", "text"}, {"tags", "text"}, {"comment", "text"}, {"connector", "text"}, {"current", "text"}, {"voltage", "text"}},
  252. Options: options.Index().SetName("$text"),
  253. },
  254. }
  255. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  256. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  257. names, err := indexView.CreateMany(context.TODO(), models, opts)
  258. if err != nil {
  259. log.Fatal(err)
  260. }
  261. log.Print("create indexes:")
  262. for _, name := range names {
  263. log.Println(name)
  264. }
  265. }
  266. }
  267. func (m *MongoDAO) initIndexEffectTypes() {
  268. collection := m.database.Collection(effectTypesCollectionName)
  269. indexView := collection.Indexes()
  270. ctx, _ := context.WithTimeout(context.Background(), timeout)
  271. cursor, err := indexView.List(ctx)
  272. if err != nil {
  273. log.Fatal(err)
  274. }
  275. defer cursor.Close(ctx)
  276. myIndexes := make([]string, 0)
  277. for cursor.Next(ctx) {
  278. var index bson.M
  279. if err = cursor.Decode(&index); err != nil {
  280. log.Fatal(err)
  281. }
  282. myIndexes = append(myIndexes, index["name"].(string))
  283. }
  284. if !slicesutils.Contains(myIndexes, "typeName") {
  285. ctx, _ = context.WithTimeout(context.Background(), timeout)
  286. models := []mongo.IndexModel{
  287. {
  288. Keys: bson.D{{"typeName", 1}},
  289. Options: options.Index().SetName("typeName").SetCollation(&options.Collation{Locale: "en", Strength: 2}),
  290. },
  291. }
  292. // Specify the MaxTime option to limit the amount of time the operation can run on the server
  293. opts := options.CreateIndexes().SetMaxTime(2 * time.Second)
  294. names, err := indexView.CreateMany(context.TODO(), models, opts)
  295. if err != nil {
  296. log.Fatal(err)
  297. }
  298. log.Print("create indexes:")
  299. for _, name := range names {
  300. log.Println(name)
  301. }
  302. }
  303. }
  304. func (m *MongoDAO) initTags() {
  305. m.reloadTags()
  306. }
  307. func (m *MongoDAO) initManufacturers() {
  308. m.reloadManufacturers()
  309. }
  310. func (m *MongoDAO) initUsers() {
  311. m.reloadUsers()
  312. go func() {
  313. background := time.NewTicker(userReloadPeriod)
  314. for _ = range background.C {
  315. m.reloadUsers()
  316. m.reloadTags()
  317. m.reloadManufacturers()
  318. }
  319. }()
  320. }
  321. func (m *MongoDAO) reloadUsers() {
  322. ctx, _ := context.WithTimeout(context.Background(), timeout)
  323. usersCollection := m.database.Collection(usersCollectionName)
  324. cursor, err := usersCollection.Find(ctx, bson.M{})
  325. if err != nil {
  326. log.Fatal(err)
  327. }
  328. defer cursor.Close(ctx)
  329. localUsers := make(map[string]string)
  330. for cursor.Next(ctx) {
  331. var user bson.M
  332. if err = cursor.Decode(&user); err != nil {
  333. log.Fatal(err)
  334. } else {
  335. username := strings.ToLower(user["name"].(string))
  336. password := user["password"].(string)
  337. localUsers[username] = BuildPasswordHash(password)
  338. }
  339. }
  340. m.users = localUsers
  341. if len(m.users) == 0 {
  342. admin := model.User{
  343. Name: "w.klaas@gmx.de",
  344. Password: "akteon0000",
  345. Admin: true,
  346. }
  347. m.AddUser(admin)
  348. guest := model.User{
  349. Name: "gast",
  350. Password: "gast1234",
  351. Admin: false,
  352. Guest: true,
  353. }
  354. m.AddUser(guest)
  355. }
  356. }
  357. func (m *MongoDAO) reloadTags() {
  358. myTags := model.NewTags()
  359. ctx, _ := context.WithTimeout(context.Background(), timeout)
  360. tagsCollection := m.database.Collection(tagsCollectionName)
  361. cursor, err := tagsCollection.Find(ctx, bson.M{})
  362. if err != nil {
  363. log.Fatal(err)
  364. }
  365. defer cursor.Close(ctx)
  366. tagList := make([]string, 0)
  367. for cursor.Next(ctx) {
  368. var tag bson.M
  369. if err = cursor.Decode(&tag); err != nil {
  370. log.Fatal(err)
  371. } else {
  372. tagList = append(tagList, tag["name"].(string))
  373. }
  374. }
  375. ctx, _ = context.WithTimeout(context.Background(), timeout)
  376. schematicCollection := m.database.Collection(schematicsCollectionName)
  377. for _, tagName := range tagList {
  378. queryDoc := bson.M{
  379. "tags": tagName,
  380. }
  381. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  382. if err != nil {
  383. log.Println(err)
  384. }
  385. //log.Printf("tag: %s has %d schematics.", tagName, n)
  386. myTags.Add(tagName, int(n))
  387. }
  388. m.tags = myTags
  389. }
  390. func (m *MongoDAO) reloadManufacturers() {
  391. myManufacturer := model.NewManufacturers()
  392. ctx, _ := context.WithTimeout(context.Background(), timeout)
  393. manufacturersCollection := m.database.Collection(manufacturersCollectionName)
  394. cursor, err := manufacturersCollection.Find(ctx, bson.M{})
  395. if err != nil {
  396. log.Fatal(err)
  397. }
  398. defer cursor.Close(ctx)
  399. manuList := make([]string, 0)
  400. for cursor.Next(ctx) {
  401. var manufacturer bson.M
  402. if err = cursor.Decode(&manufacturer); err != nil {
  403. log.Fatal(err)
  404. } else {
  405. manuList = append(manuList, manufacturer["name"].(string))
  406. }
  407. }
  408. ctx, _ = context.WithTimeout(context.Background(), timeout)
  409. schematicCollection := m.database.Collection(schematicsCollectionName)
  410. for _, manuName := range manuList {
  411. queryDoc := bson.M{
  412. "manufacturer": manuName,
  413. }
  414. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  415. if err != nil {
  416. log.Println(err)
  417. }
  418. //log.Printf("manufacturer: %s has %d schematics.", manuName, n)
  419. myManufacturer.Add(manuName, int(n))
  420. }
  421. m.manufacturers = myManufacturer
  422. }
  423. // AddFile adding a file to the storage, stream like
  424. func (m *MongoDAO) AddFile(filename string, reader io.Reader) (string, error) {
  425. uploadOpts := options.GridFSUpload().SetMetadata(bson.D{{"tag", "tag"}})
  426. fileID, err := m.bucket.UploadFromStream(filename, reader, uploadOpts)
  427. if err != nil {
  428. fmt.Printf("error: %s\n", err.Error())
  429. return "", err
  430. }
  431. log.Printf("Write file to DB was successful. File id: %s \n", fileID)
  432. id := fileID.Hex()
  433. return id, nil
  434. }
  435. // CreateSchematic creating a new schematic in the database
  436. func (m *MongoDAO) CreateSchematic(schematic model.Schematic) (string, error) {
  437. for _, tag := range schematic.Tags {
  438. if !m.tags.Contains(tag) {
  439. m.CreateTag(tag)
  440. }
  441. }
  442. if !m.manufacturers.Contains(schematic.Manufacturer) {
  443. m.CreateManufacturer(schematic.Manufacturer)
  444. }
  445. ctx, _ := context.WithTimeout(context.Background(), timeout)
  446. collection := m.database.Collection(schematicsCollectionName)
  447. result, err := collection.InsertOne(ctx, schematic)
  448. if err != nil {
  449. fmt.Printf("error: %s\n", err.Error())
  450. return "", err
  451. }
  452. filter := bson.M{"_id": result.InsertedID}
  453. err = collection.FindOne(ctx, filter).Decode(&schematic)
  454. if err != nil {
  455. fmt.Printf("error: %s\n", err.Error())
  456. return "", err
  457. }
  458. switch v := result.InsertedID.(type) {
  459. case primitive.ObjectID:
  460. return v.Hex(), nil
  461. }
  462. return "", nil
  463. }
  464. // UpdateSchematic creating a new schematic in the database
  465. func (m *MongoDAO) UpdateSchematic(schematic model.Schematic) (string, error) {
  466. for _, tag := range schematic.Tags {
  467. if !m.tags.Contains(tag) {
  468. m.CreateTag(tag)
  469. }
  470. }
  471. if !m.manufacturers.Contains(schematic.Manufacturer) {
  472. m.CreateManufacturer(schematic.Manufacturer)
  473. }
  474. ctx, _ := context.WithTimeout(context.Background(), timeout)
  475. collection := m.database.Collection(schematicsCollectionName)
  476. filter := bson.M{"_id": schematic.ID}
  477. updateDoc := bson.D{{"$set", schematic}}
  478. result, err := collection.UpdateOne(ctx, filter, updateDoc)
  479. if err != nil {
  480. fmt.Printf("error: %s\n", err.Error())
  481. return "", err
  482. }
  483. if result.ModifiedCount != 1 {
  484. return "", errors.New("can't update document.")
  485. }
  486. err = collection.FindOne(ctx, filter).Decode(&schematic)
  487. if err != nil {
  488. fmt.Printf("error: %s\n", err.Error())
  489. return "", err
  490. }
  491. return schematic.ID.Hex(), nil
  492. }
  493. // GetSchematic getting a sdingle schematic
  494. func (m *MongoDAO) GetSchematic(schematicID string) (model.Schematic, error) {
  495. ctx, _ := context.WithTimeout(context.Background(), timeout)
  496. schematicCollection := m.database.Collection(schematicsCollectionName)
  497. objectID, _ := primitive.ObjectIDFromHex(schematicID)
  498. result := schematicCollection.FindOne(ctx, bson.M{"_id": objectID})
  499. err := result.Err()
  500. if err == mongo.ErrNoDocuments {
  501. log.Print(err)
  502. return model.Schematic{}, ErrNoDocument
  503. }
  504. if err != nil {
  505. log.Print(err)
  506. return model.Schematic{}, err
  507. }
  508. var schematic model.Schematic
  509. if err := result.Decode(&schematic); err != nil {
  510. log.Print(err)
  511. return model.Schematic{}, err
  512. } else {
  513. return schematic, nil
  514. }
  515. }
  516. // DeleteSchematic getting a sdingle schematic
  517. func (m *MongoDAO) DeleteSchematic(schematicID string) error {
  518. ctx, _ := context.WithTimeout(context.Background(), timeout)
  519. schematicCollection := m.database.Collection(schematicsCollectionName)
  520. objectID, _ := primitive.ObjectIDFromHex(schematicID)
  521. result, err := schematicCollection.DeleteOne(ctx, bson.M{"_id": objectID})
  522. if err != nil {
  523. log.Print(err)
  524. return err
  525. } else {
  526. if result.DeletedCount > 0 {
  527. return nil
  528. }
  529. return ErrNoDocument
  530. }
  531. }
  532. //GetFile getting a single from the database with the id
  533. func (m *MongoDAO) GetFilename(fileid string) (string, error) {
  534. objectID, err := primitive.ObjectIDFromHex(fileid)
  535. if err != nil {
  536. log.Print(err)
  537. return "", err
  538. }
  539. ctx, _ := context.WithTimeout(context.Background(), timeout)
  540. cursor, err := m.bucket.Find(bson.M{"_id": objectID})
  541. if err != nil {
  542. log.Print(err)
  543. return "", err
  544. }
  545. defer cursor.Close(ctx)
  546. cursor.Next(ctx)
  547. var file bson.M
  548. var filename string
  549. if err = cursor.Decode(&file); err != nil {
  550. log.Print(err)
  551. return "", err
  552. } else {
  553. filename = file["filename"].(string)
  554. }
  555. return filename, nil
  556. }
  557. //GetFile getting a single from the database with the id
  558. func (m *MongoDAO) GetFile(fileid string, stream io.Writer) error {
  559. objectID, err := primitive.ObjectIDFromHex(fileid)
  560. if err != nil {
  561. log.Print(err)
  562. return err
  563. }
  564. dStream, err := m.bucket.DownloadToStream(objectID, stream)
  565. if err != nil {
  566. log.Print(err)
  567. return err
  568. }
  569. fmt.Printf("File size to download: %v \n", dStream)
  570. return nil
  571. }
  572. // GetSchematics getting a sdingle schematic
  573. func (m *MongoDAO) GetSchematics(query string, offset int, limit int, owner string) (int64, []model.Schematic, error) {
  574. ctx, _ := context.WithTimeout(context.Background(), timeout)
  575. schematicCollection := m.database.Collection(schematicsCollectionName)
  576. var queryM map[string]interface{}
  577. err := json.Unmarshal([]byte(query), &queryM)
  578. if err != nil {
  579. log.Print(err)
  580. return 0, nil, err
  581. }
  582. queryDoc := bson.M{}
  583. for k, v := range queryM {
  584. if k == "$fulltext" {
  585. queryDoc["$text"] = bson.M{"$search": v}
  586. } else {
  587. switch v := v.(type) {
  588. // case float64:
  589. // case int:
  590. // case bool:
  591. case string:
  592. queryDoc[k] = bson.M{"$regex": v}
  593. }
  594. //queryDoc[k] = v
  595. }
  596. }
  597. data, _ := json.Marshal(queryDoc)
  598. log.Printf("mongoquery: %s\n", string(data))
  599. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  600. if err != nil {
  601. log.Print(err)
  602. return 0, nil, err
  603. }
  604. cursor, err := schematicCollection.Find(ctx, queryDoc, &options.FindOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  605. if err != nil {
  606. log.Print(err)
  607. return 0, nil, err
  608. }
  609. defer cursor.Close(ctx)
  610. schematics := make([]model.Schematic, 0)
  611. count := 0
  612. docs := 0
  613. for cursor.Next(ctx) {
  614. if count >= offset {
  615. if docs < limit {
  616. var schematic model.Schematic
  617. if err = cursor.Decode(&schematic); err != nil {
  618. log.Print(err)
  619. return 0, nil, err
  620. } else {
  621. if !schematic.PrivateFile || schematic.Owner == owner {
  622. schematics = append(schematics, schematic)
  623. docs++
  624. }
  625. }
  626. } else {
  627. break
  628. }
  629. }
  630. count++
  631. }
  632. return n, schematics, nil
  633. }
  634. // GetSchematicsCount getting a sdingle schematic
  635. func (m *MongoDAO) GetSchematicsCount(query string, owner string) (int64, error) {
  636. ctx, _ := context.WithTimeout(context.Background(), timeout)
  637. schematicCollection := m.database.Collection(schematicsCollectionName)
  638. queryDoc := bson.M{}
  639. if query != "" {
  640. var queryM map[string]interface{}
  641. err := json.Unmarshal([]byte(query), &queryM)
  642. if err != nil {
  643. log.Print(err)
  644. return 0, err
  645. }
  646. for k, v := range queryM {
  647. if k == "$fulltext" {
  648. queryDoc["$text"] = bson.M{"$search": v}
  649. } else {
  650. switch v := v.(type) {
  651. // case float64:
  652. // case int:
  653. // case bool:
  654. case string:
  655. queryDoc[k] = bson.M{"$regex": v}
  656. }
  657. //queryDoc[k] = v
  658. }
  659. }
  660. data, _ := json.Marshal(queryDoc)
  661. log.Printf("mongoquery: %s\n", string(data))
  662. }
  663. n, err := schematicCollection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  664. if err != nil {
  665. log.Print(err)
  666. return 0, err
  667. }
  668. return n, nil
  669. }
  670. // CreateTag create a new tag in the storage
  671. func (m *MongoDAO) CreateTag(tag string) error {
  672. tag = strings.ToLower(tag)
  673. ctx, _ := context.WithTimeout(context.Background(), timeout)
  674. collection := m.database.Collection(tagsCollectionName)
  675. tagModel := bson.M{"name": tag}
  676. _, err := collection.InsertOne(ctx, tagModel)
  677. if err != nil {
  678. fmt.Printf("error: %s\n", err.Error())
  679. return err
  680. }
  681. m.tags.Add(tag, 1)
  682. return nil
  683. }
  684. //GetTags getting a list of all tags
  685. func (m *MongoDAO) GetTags() []model.Tag {
  686. sort.Slice(m.tags.List, func(i, j int) bool { return m.tags.List[i].Name < m.tags.List[j].Name })
  687. return m.tags.List
  688. }
  689. // GetTagsCount getting the count of all tags
  690. func (m *MongoDAO) GetTagsCount() int {
  691. return len(m.tags.List)
  692. }
  693. // CreateManufacturer create a new manufacturer in the storage
  694. func (m *MongoDAO) CreateManufacturer(manufacturer string) error {
  695. ctx, _ := context.WithTimeout(context.Background(), timeout)
  696. collection := m.database.Collection(manufacturersCollectionName)
  697. manufacturerModel := bson.M{"name": manufacturer}
  698. _, err := collection.InsertOne(ctx, manufacturerModel)
  699. if err != nil {
  700. fmt.Printf("error: %s\n", err.Error())
  701. return err
  702. }
  703. m.manufacturers.Add(manufacturer, 1)
  704. return nil
  705. }
  706. // GetManufacturers getting a list of all manufacturers
  707. func (m *MongoDAO) GetManufacturers() []model.Manufacturer {
  708. sort.Slice(m.manufacturers.List, func(i, j int) bool { return m.manufacturers.List[i].Name < m.manufacturers.List[j].Name })
  709. return m.manufacturers.List
  710. }
  711. // GetManufacturersCount getting the count of all manufacturers
  712. func (m *MongoDAO) GetManufacturersCount() int {
  713. return len(m.manufacturers.List)
  714. }
  715. //CreateEffectType cerating a new effect type
  716. func (m *MongoDAO) CreateEffectType(effectType model.EffectType) (string, error) {
  717. ctx, _ := context.WithTimeout(context.Background(), timeout)
  718. collection := m.database.Collection(effectTypesCollectionName)
  719. result, err := collection.InsertOne(ctx, effectType)
  720. if err != nil {
  721. fmt.Printf("error: %s\n", err.Error())
  722. return "", err
  723. }
  724. filter := bson.M{"_id": result.InsertedID}
  725. err = collection.FindOne(ctx, filter).Decode(&effectType)
  726. if err != nil {
  727. fmt.Printf("error: %s\n", err.Error())
  728. return "", err
  729. }
  730. switch v := result.InsertedID.(type) {
  731. case primitive.ObjectID:
  732. return v.Hex(), nil
  733. }
  734. return "", nil
  735. }
  736. // GetEffectTypes getting a sdingle schematic
  737. func (m *MongoDAO) GetEffectTypes() ([]model.EffectType, error) {
  738. ctx, _ := context.WithTimeout(context.Background(), timeout)
  739. collection := m.database.Collection(effectTypesCollectionName)
  740. findOptions := options.Find()
  741. // Sort by `price` field descending
  742. findOptions.SetSort(bson.D{{"typeName", 1}})
  743. queryDoc := bson.M{}
  744. cursor, err := collection.Find(ctx, queryDoc, &options.FindOptions{Collation: &options.Collation{Locale: "en", Strength: 2}, Sort: bson.D{{"typeName", 1}}})
  745. if err != nil {
  746. log.Print(err)
  747. return nil, err
  748. }
  749. defer cursor.Close(ctx)
  750. effectTypes := make([]model.EffectType, 0)
  751. for cursor.Next(ctx) {
  752. var effectType model.EffectType
  753. if err = cursor.Decode(&effectType); err != nil {
  754. log.Print(err)
  755. return nil, err
  756. } else {
  757. effectTypes = append(effectTypes, effectType)
  758. }
  759. }
  760. return effectTypes, nil
  761. }
  762. //CreateEffect cerating a new effect type
  763. func (m *MongoDAO) CreateEffect(effect model.Effect) (string, error) {
  764. for _, tag := range effect.Tags {
  765. if !m.tags.Contains(tag) {
  766. m.CreateTag(tag)
  767. }
  768. }
  769. if !m.manufacturers.Contains(effect.Manufacturer) {
  770. m.CreateManufacturer(effect.Manufacturer)
  771. }
  772. ctx, _ := context.WithTimeout(context.Background(), timeout)
  773. collection := m.database.Collection(effectsCollectionName)
  774. result, err := collection.InsertOne(ctx, effect)
  775. if err != nil {
  776. fmt.Printf("error: %s\n", err.Error())
  777. return "", err
  778. }
  779. filter := bson.M{"_id": result.InsertedID}
  780. err = collection.FindOne(ctx, filter).Decode(&effect)
  781. if err != nil {
  782. fmt.Printf("error: %s\n", err.Error())
  783. return "", err
  784. }
  785. switch v := result.InsertedID.(type) {
  786. case primitive.ObjectID:
  787. return v.Hex(), nil
  788. }
  789. return "", nil
  790. }
  791. //GetEffectsCount getting the count of effects regarding to the query
  792. func (m *MongoDAO) GetEffectsCount(query string) (int, error) {
  793. ctx, _ := context.WithTimeout(context.Background(), timeout)
  794. collection := m.database.Collection(effectsCollectionName)
  795. queryDoc := bson.M{}
  796. if query != "" {
  797. var queryM map[string]interface{}
  798. err := json.Unmarshal([]byte(query), &queryM)
  799. if err != nil {
  800. log.Print(err)
  801. return 0, err
  802. }
  803. for k, v := range queryM {
  804. if k == "$fulltext" {
  805. queryDoc["$text"] = bson.M{"$search": v}
  806. } else {
  807. switch v := v.(type) {
  808. // case float64:
  809. // case int:
  810. // case bool:
  811. case string:
  812. queryDoc[k] = bson.M{"$regex": v}
  813. }
  814. //queryDoc[k] = v
  815. }
  816. }
  817. data, _ := json.Marshal(queryDoc)
  818. log.Printf("mongoquery: %s\n", string(data))
  819. }
  820. n, err := collection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  821. if err != nil {
  822. log.Print(err)
  823. return 0, err
  824. }
  825. return int(n), nil
  826. }
  827. //GetEffects getting a list of effects regarding to the query
  828. func (m *MongoDAO) GetEffects(query string, offset int, limit int) (int, []model.Effect, error) {
  829. ctx, _ := context.WithTimeout(context.Background(), timeout)
  830. collection := m.database.Collection(effectsCollectionName)
  831. queryDoc := bson.M{}
  832. if query != "" {
  833. var queryM map[string]interface{}
  834. err := json.Unmarshal([]byte(query), &queryM)
  835. if err != nil {
  836. log.Print(err)
  837. return 0, nil, err
  838. }
  839. for k, v := range queryM {
  840. if k == "$fulltext" {
  841. queryDoc["$text"] = bson.M{"$search": v}
  842. } else {
  843. switch v := v.(type) {
  844. // case float64:
  845. // case int:
  846. // case bool:
  847. case string:
  848. queryDoc[k] = bson.M{"$regex": v}
  849. }
  850. //queryDoc[k] = v
  851. }
  852. }
  853. data, _ := json.Marshal(queryDoc)
  854. log.Printf("mongoquery: %s\n", string(data))
  855. }
  856. n, err := collection.CountDocuments(ctx, queryDoc, &options.CountOptions{Collation: &options.Collation{Locale: "en", Strength: 2}})
  857. if err != nil {
  858. log.Print(err)
  859. return 0, nil, err
  860. }
  861. cursor, err := collection.Find(ctx, queryDoc, &options.FindOptions{Collation: &options.Collation{Locale: "en", Strength: 2}, Sort: bson.D{{"manufacturer", 1}, {"model", 1}}})
  862. if err != nil {
  863. log.Print(err)
  864. return 0, nil, err
  865. }
  866. defer cursor.Close(ctx)
  867. effects := make([]model.Effect, 0)
  868. count := 0
  869. docs := 0
  870. for cursor.Next(ctx) {
  871. if count >= offset {
  872. if docs < limit {
  873. var effect model.Effect
  874. if err = cursor.Decode(&effect); err != nil {
  875. log.Print(err)
  876. return 0, nil, err
  877. } else {
  878. effects = append(effects, effect)
  879. docs++
  880. }
  881. } else {
  882. break
  883. }
  884. }
  885. count++
  886. }
  887. return int(n), effects, nil
  888. }
  889. func (m *MongoDAO) GetEffect(effectID string) (model.Effect, error) {
  890. ctx, _ := context.WithTimeout(context.Background(), timeout)
  891. collection := m.database.Collection(effectsCollectionName)
  892. objectID, _ := primitive.ObjectIDFromHex(effectID)
  893. result := collection.FindOne(ctx, bson.M{"_id": objectID})
  894. err := result.Err()
  895. if err == mongo.ErrNoDocuments {
  896. log.Print(err)
  897. return model.Effect{}, ErrNoDocument
  898. }
  899. if err != nil {
  900. log.Print(err)
  901. return model.Effect{}, err
  902. }
  903. var effect model.Effect
  904. if err := result.Decode(&effect); err != nil {
  905. log.Print(err)
  906. return model.Effect{}, err
  907. } else {
  908. return effect, nil
  909. }
  910. }
  911. // CheckUser checking username and password... returns true if the user is active and the password for this user is correct
  912. func (m *MongoDAO) CheckUser(username string, password string) bool {
  913. username = strings.ToLower(username)
  914. pwd, ok := m.users[username]
  915. if ok {
  916. if pwd == password {
  917. return true
  918. } else {
  919. user, ok := m.GetUser(username)
  920. if ok {
  921. if user.Password == password {
  922. return true
  923. }
  924. }
  925. }
  926. }
  927. if !ok {
  928. user, ok := m.GetUser(username)
  929. if ok {
  930. if user.Password == password {
  931. return true
  932. }
  933. }
  934. }
  935. return false
  936. }
  937. // GetUser getting the usermolde
  938. func (m *MongoDAO) GetUser(username string) (model.User, bool) {
  939. username = strings.ToLower(username)
  940. ctx, _ := context.WithTimeout(context.Background(), timeout)
  941. usersCollection := m.database.Collection(usersCollectionName)
  942. var user model.User
  943. filter := bson.M{"name": username}
  944. err := usersCollection.FindOne(ctx, filter).Decode(&user)
  945. if err != nil {
  946. fmt.Printf("error: %s\n", err.Error())
  947. return model.User{}, false
  948. }
  949. password := user.Password
  950. hash := BuildPasswordHash(password)
  951. m.users[username] = hash
  952. return user, true
  953. }
  954. // DropAll dropping all data from the database
  955. func (m *MongoDAO) DropAll() {
  956. ctx, _ := context.WithTimeout(context.Background(), timeout)
  957. collectionNames, err := m.database.ListCollectionNames(ctx, bson.D{}, &options.ListCollectionsOptions{})
  958. if err != nil {
  959. log.Fatal(err)
  960. }
  961. for _, name := range collectionNames {
  962. if name != usersCollectionName {
  963. collection := m.database.Collection(name)
  964. err = collection.Drop(ctx)
  965. if err != nil {
  966. log.Fatal(err)
  967. }
  968. }
  969. }
  970. }
  971. // Stop stopping the mongodao
  972. func (m *MongoDAO) Stop() {
  973. m.ticker.Stop()
  974. m.done <- true
  975. }
  976. // AddUser adding a new user to the system
  977. func (m *MongoDAO) AddUser(user model.User) error {
  978. if user.Name == "" {
  979. return errors.New("username should not be empty")
  980. }
  981. user.Name = strings.ToLower(user.Name)
  982. _, ok := m.users[user.Name]
  983. if ok {
  984. return errors.New("username already exists")
  985. }
  986. user.Password = BuildPasswordHash(user.Password)
  987. ctx, _ := context.WithTimeout(context.Background(), timeout)
  988. collection := m.database.Collection(usersCollectionName)
  989. _, err := collection.InsertOne(ctx, user)
  990. if err != nil {
  991. fmt.Printf("error: %s\n", err.Error())
  992. return err
  993. }
  994. m.users[user.Name] = user.Password
  995. return nil
  996. }
  997. // DeleteUser deletes one user from the system
  998. func (m *MongoDAO) DeleteUser(username string) error {
  999. if username == "" {
  1000. return errors.New("username should not be empty")
  1001. }
  1002. username = strings.ToLower(username)
  1003. _, ok := m.users[username]
  1004. if !ok {
  1005. return errors.New("username not exists")
  1006. }
  1007. ctx, _ := context.WithTimeout(context.Background(), timeout)
  1008. collection := m.database.Collection(usersCollectionName)
  1009. filter := bson.M{"name": username}
  1010. _, err := collection.DeleteOne(ctx, filter)
  1011. if err != nil {
  1012. fmt.Printf("error: %s\n", err.Error())
  1013. return err
  1014. }
  1015. delete(m.users, username)
  1016. return nil
  1017. }
  1018. // ChangePWD changes the apssword of a single user
  1019. func (m *MongoDAO) ChangePWD(username string, newpassword string, oldpassword string) error {
  1020. if username == "" {
  1021. return errors.New("username should not be empty")
  1022. }
  1023. username = strings.ToLower(username)
  1024. pwd, ok := m.users[username]
  1025. if !ok {
  1026. return errors.New("username not registered")
  1027. }
  1028. newpassword = BuildPasswordHash(newpassword)
  1029. oldpassword = BuildPasswordHash(oldpassword)
  1030. if pwd != oldpassword {
  1031. return errors.New("actual password incorrect")
  1032. }
  1033. ctx, _ := context.WithTimeout(context.Background(), timeout)
  1034. collection := m.database.Collection(usersCollectionName)
  1035. filter := bson.M{"name": username}
  1036. update := bson.D{{"$set", bson.D{{"password", newpassword}}}}
  1037. result := collection.FindOneAndUpdate(ctx, filter, update)
  1038. if result.Err() != nil {
  1039. fmt.Printf("error: %s\n", result.Err().Error())
  1040. return result.Err()
  1041. }
  1042. m.users[username] = newpassword
  1043. return nil
  1044. }
  1045. // Ping pinging the mongoDao
  1046. func (m *MongoDAO) Ping() error {
  1047. if !m.initialised {
  1048. return errors.New("mongo client not initialised")
  1049. }
  1050. ctx, _ := context.WithTimeout(context.Background(), timeout)
  1051. return m.database.Client().Ping(ctx, nil)
  1052. }