orm/src/model/Model.js

  1. /**
  2. * @module flitter-orm/src/model/Model
  3. */
  4. const { Injectable } = require('flitter-di')
  5. const Schema = require('../schema/Schema')
  6. const Filter = require('../filter/Filter')
  7. const { Cursor, Collection, ObjectId } = require('mongodb')
  8. const Scope = require('./Scope')
  9. const ResultCache = require('./ResultCache')
  10. /**
  11. * The base model class. All model implementations should extend from this.
  12. * @extends module:flitter-di/src/Injectable~Injectable
  13. */
  14. class Model extends Injectable {
  15. /**
  16. * The services required by this model.
  17. * Note that the 'scaffold' service must be provided.
  18. * @returns {Array<string>}
  19. */
  20. static get services() {
  21. return [...super.services, 'scaffold']
  22. }
  23. /**
  24. * User defined schema for the model.
  25. * This should be implemented by subclasses.
  26. * @returns {object}
  27. */
  28. static get schema() { return {} }
  29. /**
  30. * The holding variable for the instantiated schema.
  31. * @private
  32. * @type {module:flitter-orm/src/schema/Schema~Schema|boolean}
  33. */
  34. static __schema_instance = false
  35. /**
  36. * Array of instantiated references to Scopes that should be applied
  37. * to this model.
  38. * @type {Array<module:flitter-orm/src/model/Scope~Scope>}
  39. */
  40. static scopes = []
  41. /**
  42. * The instantiated schema for this model.
  43. * @returns {module:flitter-orm/src/schema/Schema~Schema}
  44. * @private
  45. */
  46. static get __schema() {
  47. return new Schema(this.schema)
  48. }
  49. /**
  50. * Optionally, the name of the collection where this model should
  51. * have its records stored. If none is provided, the collection will be the
  52. * name of the class.
  53. * @type {string|boolean}
  54. */
  55. static collection = false
  56. /**
  57. * True if the model is embedded within a parent.
  58. * @type {boolean}
  59. * @private
  60. */
  61. #__embedded = false
  62. /**
  63. * If the model is embedded within a parent, this is
  64. * the reference to that parent. Otherwise, false.
  65. * @type {module:flitter-orm/src/model/Model~Model|boolean}
  66. * @private
  67. */
  68. #__embedded_parent = false
  69. /**
  70. * Cache for results of relationship lookups for the instance.
  71. * @type {module:flitter-orm/src/model/ResultCache~ResultCache}
  72. * @private
  73. */
  74. #__relation_cache = new ResultCache()
  75. /**
  76. * The collection name for this model. If specified, this will be the value
  77. * of the collection static member. If not, it will be the name of the class.
  78. * @returns {string}
  79. * @private
  80. */
  81. static get __name() { return this.collection ? this.collection : this.name }
  82. /**
  83. * Get a lookup cursor for this model's collection with the specified filters.
  84. *
  85. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  86. * for information on optional settings.
  87. *
  88. * @param {object} [filter = {}] - the query filters for the cursor
  89. * @param {object} [opts = {}] - optional settings
  90. * @returns {mongodb/Cursor}
  91. */
  92. static async cursor(filter = {}, opts = {}) {
  93. filter = (await this.filter()).absorb(filter).write()
  94. return this.prototype.scaffold.collection(this.__name).find(filter, opts)
  95. }
  96. /**
  97. * Lookup an array of instances of this model with the specified filters.
  98. *
  99. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  100. * for information on optional settings.
  101. *
  102. * @param {object} [filter = {}] - the query filters for the cursor
  103. * @param {object} [opts = {}] - optional settings
  104. * @returns {Promise<Array<module:flitter-orm/src/model/Model~Model>>}
  105. */
  106. static async find(filter, opts) {
  107. const cursor = await this.cursor(filter, opts)
  108. return this.from_cursor(cursor)
  109. }
  110. /**
  111. * Returns an array of model instances from the specified cursor.
  112. * @param {mongodb/cursor} cursor - the cursor
  113. * @returns {Promise<module:flitter-orm/src/model/Model~Model>}
  114. */
  115. static async from_cursor(cursor) {
  116. const records = await cursor.toArray()
  117. const collection = []
  118. for ( const record of records ) {
  119. collection.push(new this(record))
  120. }
  121. return collection
  122. }
  123. /**
  124. * Returns an instantiated ObjectId for the given string.
  125. * This is preferred to importing mongodb manually and casting it,
  126. * because it insures that flitter-orm's instanceof checks are still
  127. * satisfied.
  128. *
  129. * @param {string} string - the string of the ID
  130. * @returns {mongodb/ObjectId} - the equivalent Object ID
  131. */
  132. static to_object_id(string) {
  133. return ObjectId(string)
  134. }
  135. /**
  136. * Lookup a single instance of this model by the provided ID.
  137. *
  138. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  139. * for information on optional settings.
  140. *
  141. * @param {string|ObjectId} id - the ID of the model to query
  142. * @param {object} [opts = {}] - optional settings
  143. * @returns {Promise<Array<module:flitter-orm/src/model/Model~Model>>}
  144. */
  145. static async findById(id, opts = {}) {
  146. if ( !(id instanceof ObjectId) ) {
  147. try {
  148. const oid = ObjectId(id)
  149. id = oid
  150. } catch (e) {}
  151. }
  152. return this.findOne({ _id: id })
  153. }
  154. /**
  155. * Lookup a single instance of this model with the specified filters.
  156. *
  157. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  158. * for information on optional settings.
  159. *
  160. * @param {object} [filter = {}] - the query filters for the cursor
  161. * @param {object} [opts = {}] - optional settings
  162. * @returns {Promise<Array<module:flitter-orm/src/model/Model~Model>>}
  163. */
  164. static async findOne(filter, opts) {
  165. const cursor = await this.cursor(filter, opts)
  166. const records = await this.from_cursor(cursor.limit(1))
  167. if ( records.length > 0 ) {
  168. return records[0]
  169. }
  170. }
  171. /**
  172. * Delete a single instance of this model with the specified filters.
  173. *
  174. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  175. * for information on optional settings.
  176. *
  177. * @param {object} [filter = {}] - the query filters for the cursor
  178. * @param {object} [opts = {}] - optional settings
  179. * @returns {Promise<undefined>}
  180. */
  181. static async deleteOne(filter = {}, opts = {}) {
  182. filter = (await this.filter()).absorb(filter).write()
  183. await this.prototype.scaffold.collection(this.__name).deleteOne(filter, opts)
  184. }
  185. /**
  186. * Delete all instances of this model with the specified filters.
  187. *
  188. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  189. * for information on optional settings.
  190. *
  191. * @param {object} [filter = {}] - the query filters for the cursor
  192. * @param {object} [opts = {}] - optional settings
  193. * @returns {Promise<undefined>}
  194. */
  195. static async deleteMany(filter = {}, opts = {}) {
  196. filter = (await this.filter()).absorb(filter).write()
  197. await this.prototype.scaffold.collection(this.__name).deleteMany(filter, opts)
  198. }
  199. /**
  200. * Limit the results to a specific number of records.
  201. * @param {number} to
  202. * @returns {module:flitter-orm/src/proxy/model/LimitProxy~LimitProxy}
  203. */
  204. static limit(to) {
  205. const LimitProxy = require('../proxy/model/LimitProxy')
  206. return new LimitProxy(this, to)
  207. }
  208. /**
  209. * Sort the results by the specified key or keys.
  210. * @param {string} sorts... - any number of sort specifications
  211. * @example
  212. * Model.sort('+last_name', '+first_name', '-create_date')
  213. * @returns {module:flitter-orm/src/proxy/model/SortProxy~SortProxy}
  214. */
  215. static sort(...sorts) {
  216. const SortProxy = require('../proxy/model/SortProxy')
  217. return new SortProxy(this, sorts)
  218. }
  219. /**
  220. * Count the number of instances of this model with the specified filters.
  221. *
  222. * See: http://mongodb.github.io/node-mongodb-native/3.5/api/Collection.html#find
  223. * for information on optional settings.
  224. *
  225. * @param {object} [filter = {}] - the query filters for the cursor
  226. * @param {object} [opts = {}] - optional settings
  227. * @returns {Promise<number>}
  228. */
  229. static async count(filter = {}, opts = {}) {
  230. filter = (await this.filter()).absorb(filter).write()
  231. return this.prototype.scaffold.collection(this.__name).countDocuments(filter, opts)
  232. }
  233. /**
  234. * Create a new programmatic filter for this class,
  235. * pre-loaded with any scopes.
  236. * @returns {module:flitter-orm/src/filter/Filter~Filter}
  237. */
  238. static async filter(ref = false) {
  239. if ( !ref ) ref = this
  240. let filter = new Filter(ref)
  241. for ( const scope of this.scopes ) {
  242. filter = await scope.filter(filter)
  243. }
  244. return filter
  245. }
  246. /**
  247. * Create a new instance of this model.
  248. * @param {object} [data = {}] - data to preload the model with
  249. * @param {module:flitter-orm/src/model/Model~Model|boolean} [embedded_parent = false] - if specified, sets the embedded parent of this model for saving
  250. */
  251. constructor(data = {}, embedded_parent = false) {
  252. super()
  253. this.__set_values(data)
  254. this.#__embedded = !!embedded_parent
  255. this.#__embedded_parent = embedded_parent
  256. }
  257. /**
  258. * If defined, will return the string-form ID of this model.
  259. * @returns {string|undefined}
  260. */
  261. get id() {
  262. if ( this._id ) {
  263. return String(this._id)
  264. }
  265. }
  266. /**
  267. * Persist this model instance to the database. This will store only values defined
  268. * in the schema for this model, and, in so doing, will cast those values and fill in
  269. * the specified defaults. These changes will be added to this instance after the save.
  270. *
  271. * @returns {Promise<module:flitter-orm/src/model/Model~Model>} - the current instance with updated properties
  272. */
  273. async save() {
  274. const schema = this.constructor.__schema
  275. const shallow_object = {}
  276. for ( const prop in schema.schema ) {
  277. if ( prop in this ) {
  278. shallow_object[prop] = this[prop]
  279. }
  280. }
  281. const db_object = await this.__scope_limit_save(schema.cast_to_schema(shallow_object))
  282. if ( !this.#__embedded ) {
  283. if ( this._id ) {
  284. await this.__collection().updateOne({ _id: this._id }, { $set: db_object })
  285. } else {
  286. const result = await this.__collection().insertOne(db_object)
  287. this._id = result.insertedId
  288. }
  289. } else {
  290. if ( this._id ) {
  291. await this.#__embedded_parent.save()
  292. } else {
  293. this._id = new ObjectId
  294. await this.#__embedded_parent.save()
  295. }
  296. }
  297. this.__set_values(db_object)
  298. return this
  299. }
  300. /**
  301. * A convenience method. Set the specified field on this model equal to the
  302. * specified property and immediately save the record.
  303. * @param {string} field
  304. * @param {*} value
  305. * @returns {Promise<module:flitter-orm/src/model/Model~Model>}
  306. */
  307. async set(field, value) {
  308. this[field] = value
  309. return this.save()
  310. }
  311. /**
  312. * Delete the current instance of this model from the database.
  313. * This will remove the model's ID from this instance. Other properties
  314. * will remain unchanged.
  315. * @returns {Promise<module:flitter-orm/src/model/Model~Model>}
  316. */
  317. async delete() {
  318. if ( this._id ) {
  319. await this.__collection().deleteOne({ _id: this._id })
  320. delete this._id
  321. }
  322. return this
  323. }
  324. /**
  325. * Get the MongoDB collection instance for this model.
  326. * @returns {Collection}
  327. * @private
  328. */
  329. __collection() {
  330. return this.scaffold.collection(this.constructor.__name)
  331. }
  332. /**
  333. * Get the MongoDB collection instance for this model.
  334. * @returns {Collection}
  335. * @private
  336. */
  337. static __collection() {
  338. return this.prototype.scaffold.collection(this.__name)
  339. }
  340. /**
  341. * Shallow copy the values from the specified object to this model.
  342. * @param {object} data
  343. * @param {object} [current_object = false] - for recursion. The current object scope.
  344. * @param {object} [current_schema = false] - for recursion. The current schema level.
  345. * @private
  346. */
  347. __set_values(data, current_object = false, current_schema = false) {
  348. if ( !current_object ) current_object = this
  349. if ( !current_schema ) current_schema = this.constructor.__schema.schema
  350. if ( Array.isArray(data) ) {
  351. current_object = []
  352. const schemata = current_schema._default
  353. const type = schemata.type
  354. for ( const val of data ) {
  355. if ( type === Schema.types.Model ) {
  356. current_object.push(new schemata.def(val, this))
  357. } else if ( type.prototype instanceof Schema.types.Object ) {
  358. if ( !(prop in current_object) ) current_object[prop] = {}
  359. current_object.push(this.__set_values(val, current_object[prop], schemata.children))
  360. } else if ( type.prototype instanceof Schema.types.Array ) {
  361. current_object.push(this.__set_values(val, [], schemata.children))
  362. } else {
  363. current_object.push(val)
  364. }
  365. }
  366. } else if ( typeof data === 'object' ) {
  367. for ( const prop in current_schema ) {
  368. if ( !current_schema.hasOwnProperty(prop) ) continue
  369. const schemata = current_schema[prop]
  370. const type = schemata.type
  371. const has_val = prop in data
  372. if ( type === Schema.types.Model ) {
  373. if (has_val) current_object[prop] = new schemata.def(data[prop], this)
  374. } else if ( type === Schema.types.Object ) {
  375. if ( !(prop in current_object) ) current_object[prop] = {}
  376. if ( has_val ) {
  377. if ( schemata.children ) this.__set_values(data[prop], current_object[prop], schemata.children)
  378. else current_object[prop] = data[prop]
  379. }
  380. } else if ( type === Schema.types.Array ) {
  381. if ( !(prop in current_object) ) current_object[prop] = []
  382. if ( has_val ) current_object[prop] = this.__set_values(data[prop], current_object[prop], schemata.children)
  383. } else {
  384. if ( has_val ) current_object[prop] = data[prop]
  385. }
  386. }
  387. if ( '_id' in data ) current_object._id = data._id
  388. }
  389. return current_object
  390. }
  391. /**
  392. * Allow all of the model's registerd scopes to modify the
  393. * schema-cast database object before it is persisted.
  394. * @param {object} db_object
  395. * @returns {Promise<object>} - modified db_object
  396. * @private
  397. */
  398. async __scope_limit_save(db_object) {
  399. for ( const scope of this.constructor.scopes ) {
  400. db_object = await scope.save(db_object)
  401. }
  402. return db_object
  403. }
  404. /**
  405. * Associates a single record of another model with this model based
  406. * on a local/foreign key relationship.
  407. *
  408. * Normally, this would be automatically returned by a named method
  409. * on the sub-class that implements the relationship.
  410. *
  411. * This returns a cached result. So, it will only return a promise
  412. * on the first call. Subsequent calls will return the results from
  413. * the cache and are, therefore, synchronous.
  414. *
  415. * @param {module:flitter-orm/src/model/Model~Model} OtherModel - static class of the other model
  416. * @param {string} local_key - local key of the field to match
  417. * @param {string} [foreign_key = ''] - foreign key of the field to match (if none provided, assume the same as local_key)
  418. * @returns {Promise<module:flitter-orm/src/model/Model~Model>|module:flitter-orm/src/model/Model~Model} - the matching model instance
  419. */
  420. has_one(OtherModel, local_key, foreign_key = '') {
  421. if ( !foreign_key ) foreign_key = local_key
  422. const identifier = `${foreign_key}_${local_key}_many`
  423. if ( this.#__relation_cache.has(OtherModel.__name, identifier) ) {
  424. return this.#__relation_cache.get(OtherModel.__name, identifier)
  425. } else {
  426. return new Promise(resolve => {
  427. OtherModel.filter().then(filter => {
  428. const proxy = filter.equal(foreign_key, () => this[local_key]).end()
  429. proxy.findOne().then(results => {
  430. this.#__relation_cache.store(OtherModel.__name, identifier, results)
  431. resolve(results)
  432. })
  433. })
  434. })
  435. }
  436. }
  437. /**
  438. * Associates a single record of another model with this model based
  439. * on a local/foreign key relationship.
  440. *
  441. * Normally, this would be automatically returned by a named method
  442. * on the sub-class that implements the relationship.
  443. *
  444. * This returns a cached result. So, it will only return a promise
  445. * on the first call. Subsequent calls will return the results from
  446. * the cache and are, therefore, synchronous.
  447. *
  448. * @param {module:flitter-orm/src/model/Model~Model} OtherModel - static class of the other model
  449. * @param {string} local_key - local key of the field to match
  450. * @param {string} [foreign_key = ''] - foreign key of the field to match (if none provided, assume the same as local_key)
  451. * @returns {Promise<module:flitter-orm/src/model/Model~Model|undefined>|module:flitter-orm/src/model/Model~Model} - the matching model instance
  452. */
  453. belongs_to_one(OtherModel, local_key, foreign_key = '') {
  454. return this.has_one(OtherModel, local_key, foreign_key)
  455. }
  456. /**
  457. * Associates many records of another model with this model based
  458. * on a local/foreign key relationship.
  459. *
  460. * Normally, this would be automatically returned by a named method
  461. * on the sub-class that implements the relationship.
  462. *
  463. * This returns a cached result. So, it will only return a promise
  464. * on the first call. Subsequent calls will return the results from
  465. * the cache and are, therefore, synchronous.
  466. *
  467. * @param {module:flitter-orm/src/model/Model~Model} OtherModel - static class of the other model
  468. * @param {string} local_key - local key of the field to match
  469. * @param {string} [foreign_key = ''] - foreign key of the field to match (if none provided, assume the same as local_key)
  470. * @returns {Promise<Array<module:flitter-orm/src/model/Model~Model>>|Array<module:flitter-orm/src/model/Model~Model>} - the matching model instances
  471. */
  472. has_many(OtherModel, local_key, foreign_key = '') {
  473. if ( !foreign_key ) foreign_key = local_key
  474. const identifier = `${foreign_key}_${local_key}_many`
  475. if ( this.#__relation_cache.has(OtherModel.__name, identifier) ) {
  476. return this.#__relation_cache.get(OtherModel.__name, identifier)
  477. } else {
  478. return new Promise(resolve => {
  479. OtherModel.filter().then(filter => {
  480. const proxy = filter.in(foreign_key, () => this[local_key]).end()
  481. proxy.find().then(results => {
  482. this.#__relation_cache.store(OtherModel.__name, identifier, results)
  483. resolve(results)
  484. })
  485. })
  486. })
  487. }
  488. }
  489. /**
  490. * Associates many records of another model with this model based
  491. * on a local/foreign key relationship.
  492. *
  493. * Normally, this would be automatically returned by a named method
  494. * on the sub-class that implements the relationship.
  495. *
  496. * This returns a cached result. So, it will only return a promise
  497. * on the first call. Subsequent calls will return the results from
  498. * the cache and are, therefore, synchronous.
  499. *
  500. * @param {module:flitter-orm/src/model/Model~Model} OtherModel - static class of the other model
  501. * @param {string} local_key - local key of the field to match
  502. * @param {string} [foreign_key = ''] - foreign key of the field to match (if none provided, assume the same as local_key)
  503. * @returns {Promise<Array<module:flitter-orm/src/model/Model~Model>>|Array<module:flitter-orm/src/model/Model~Model>} - the matching model instances
  504. */
  505. belongs_to_many(OtherModel, local_key, foreign_key = '') {
  506. return this.has_many(OtherModel, local_key, foreign_key)
  507. }
  508. }
  509. module.exports = exports = Model
JAVASCRIPT
Copied!