lib/bookshelf.js

  1. 'use strict';
  2. const _ = require('lodash');
  3. // We've supplemented `Events` with a `triggerThen` method to allow for
  4. // asynchronous event handling via promises. We also mix this into the
  5. // prototypes of the main objects in the library.
  6. const Events = require('./base/events');
  7. // All core modules required for the bookshelf instance.
  8. const BookshelfModel = require('./model');
  9. const BookshelfCollection = require('./collection');
  10. const BookshelfRelation = require('./relation');
  11. const errors = require('./errors');
  12. function preventOverwrite(store, name) {
  13. if (store[name]) throw new Error(`${name} is already defined in the registry`);
  14. }
  15. /**
  16. * @class
  17. * @classdesc
  18. *
  19. * The Bookshelf library is initialized by passing an initialized Knex client
  20. * instance. The knex documentation provides a number of examples for different
  21. * databases.
  22. *
  23. * @constructor
  24. * @param {Knex} knex Knex instance.
  25. */
  26. function Bookshelf(knex) {
  27. if (!knex || knex.name !== 'knex') {
  28. throw new Error('Invalid knex instance');
  29. }
  30. function resolveModel(input) {
  31. if (typeof input !== 'string') return input;
  32. return (
  33. bookshelf.collection(input) ||
  34. bookshelf.model(input) ||
  35. (function() {
  36. throw new errors.ModelNotResolvedError(`The model ${input} could not be resolved from the registry.`);
  37. })()
  38. );
  39. }
  40. /** @lends Bookshelf.prototype */
  41. const bookshelf = {
  42. registry: {
  43. collections: {},
  44. models: {}
  45. },
  46. VERSION: require('../package.json').version,
  47. collection(name, Collection, staticProperties) {
  48. if (Collection) {
  49. preventOverwrite(this.registry.collections, name);
  50. if (_.isPlainObject(Collection)) {
  51. Collection = this.Collection.extend(Collection, staticProperties);
  52. }
  53. this.registry.collections[name] = Collection;
  54. }
  55. return this.registry.collections[name] || bookshelf.resolve(name);
  56. },
  57. /**
  58. * Registers a model. Omit the second argument `Model` to return a previously registered model that matches the
  59. * provided name.
  60. *
  61. * Note that when registering a model with this method it will also be available to all relation methods, allowing
  62. * you to use a string name in that case. See the calls to `hasMany()` in the examples above.
  63. *
  64. * @example
  65. * // Defining and registering a model
  66. * module.exports = bookshelf.model('Customer', {
  67. * tableName: 'customers',
  68. * orders() {
  69. * return this.hasMany('Order')
  70. * }
  71. * })
  72. *
  73. * // Retrieving a previously registered model
  74. * const Customer = bookshelf.model('Customer')
  75. *
  76. * // Registering already defined models
  77. * // file: customer.js
  78. * const Customer = bookshelf.Model.extend({
  79. * tableName: 'customers',
  80. * orders() {
  81. * return this.hasMany('Order')
  82. * }
  83. * })
  84. * module.exports = bookshelf.model('Customer', Customer)
  85. *
  86. * // file: order.js
  87. * const Order = bookshelf.Model.extend({
  88. * tableName: 'orders',
  89. * customer() {
  90. * return this.belongsTo('Customer')
  91. * }
  92. * })
  93. * module.exports = bookshelf.model('Order', Order)
  94. *
  95. * @param {string} name
  96. * The name to save the model as, or the name of the model to retrieve if no further arguments are passed to this
  97. * method.
  98. * @param {Model|Object} [Model]
  99. * The model to register. If a plain object is passed it will be converted to a {@link Model}. See example above.
  100. * @param {Object} [staticProperties]
  101. * If a plain object is passed as second argument, this can be used to specify additional static properties and
  102. * methods for the new model that is created.
  103. * @return {Model} The registered model.
  104. */
  105. model(name, Model, staticProperties) {
  106. if (Model) {
  107. preventOverwrite(this.registry.models, name);
  108. if (_.isPlainObject(Model)) Model = this.Model.extend(Model, staticProperties);
  109. this.registry.models[name] = Model;
  110. }
  111. return this.registry.models[name] || bookshelf.resolve(name);
  112. },
  113. /**
  114. * Override this in your bookshelf instance to define a custom function that will resolve the location of a model or
  115. * collection when using the {@link Bookshelf#model} method or when passing a string with a model name in any of the
  116. * collection methods (e.g. {@link Model#hasOne}, {@link Model#hasMany}, etc.).
  117. *
  118. * This will only be used if the specified name cannot be found in the registry. Note that this function
  119. * can return anything you'd like, so it's not restricted in functionality.
  120. *
  121. * @example
  122. * const Customer = bookshelf.model('Customer', {
  123. * tableName: 'customers'
  124. * })
  125. *
  126. * bookshelf.resolve = (name) => {
  127. * if (name === 'SpecialCustomer') return Customer;
  128. * }
  129. *
  130. * @param {string} name The model name to resolve.
  131. * @return {*} The return value will depend on what your re-implementation of this function does.
  132. */
  133. resolve(name) {}
  134. };
  135. const Model = (bookshelf.Model = BookshelfModel.extend(
  136. {
  137. _builder: builderFn,
  138. // The `Model` constructor is referenced as a property on the `Bookshelf` instance, mixing in the correct
  139. // `builder` method, as well as the `relation` method, passing in the correct `Model` & `Collection`
  140. // constructors for later reference.
  141. _relation(type, Target, options) {
  142. Target = resolveModel(Target);
  143. if (type !== 'morphTo' && !_.isFunction(Target)) {
  144. throw new Error(
  145. 'A valid target model must be defined for the ' + _.result(this, 'tableName') + ' ' + type + ' relation'
  146. );
  147. }
  148. return new Relation(type, Target, options);
  149. },
  150. morphTo(relationName, ...args) {
  151. let candidates = args;
  152. let columnNames = null;
  153. if (Array.isArray(args[0]) || args[0] === null || args[0] === undefined) {
  154. candidates = args.slice(1);
  155. columnNames = args[0];
  156. }
  157. if (Array.isArray(columnNames)) {
  158. // Try to use the columnNames as target instead
  159. try {
  160. columnNames[0] = resolveModel(columnNames[0]);
  161. } catch (error) {
  162. // If it did not work, they were real columnNames
  163. if (error instanceof errors.ModelNotResolvedError) throw error;
  164. }
  165. }
  166. const models = candidates.map((candidate) => {
  167. if (!Array.isArray(candidate)) return resolveModel(candidate);
  168. const model = candidate[0];
  169. const morphValue = candidate[1];
  170. return [resolveModel(model), morphValue];
  171. });
  172. return BookshelfModel.prototype.morphTo.apply(this, [relationName, columnNames].concat(models));
  173. },
  174. through(Source, ...rest) {
  175. return BookshelfModel.prototype.through.apply(this, [resolveModel(Source), ...rest]);
  176. }
  177. },
  178. {
  179. /**
  180. * @method Model.forge
  181. * @description
  182. *
  183. * A simple helper function to instantiate a new Model without needing `new`.
  184. *
  185. * @param {Object=} attributes Initial values for this model's attributes.
  186. * @param {Object=} options Hash of options.
  187. * @param {string=} options.tableName Initial value for {@linkcode Model#tableName tableName}.
  188. * @param {Boolean=} [options.hasTimestamps=false]
  189. *
  190. * Initial value for {@linkcode Model#hasTimestamps hasTimestamps}.
  191. *
  192. * @param {Boolean} [options.parse=false]
  193. *
  194. * Convert attributes by {@linkcode Model#parse parse} before being
  195. * {@linkcode Model#set set} on the `model`.
  196. */
  197. forge: function forge(attributes, options) {
  198. return new this(attributes, options);
  199. },
  200. /**
  201. * A simple static helper to instantiate a new {@link Collection}, setting the model it's
  202. * called on as the collection's target model.
  203. *
  204. * @example
  205. * Customer.collection().fetch().then((customers) => {
  206. * // ...
  207. * })
  208. *
  209. * @method Model.collection
  210. * @param {Model[]} [models] Any models to be added to the collection.
  211. * @param {Object} [options] Additional options to pass to the {@link Collection} constructor.
  212. * @param {string|function} [options.comparator]
  213. * If specified this is used to sort the collection. It can be a string representing the
  214. * model attribute to sort by, or a custom function. Check the documentation for {@link
  215. * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/sort
  216. * Array.prototype.sort} for more info on how to use a custom comparator function. If this
  217. * options is not specified the collection sort order depends on what the database returns.
  218. * @returns {Collection}
  219. * The newly created collection. It will be empty unless any models were passed as the first
  220. * argument.
  221. */
  222. collection(models, options) {
  223. return new bookshelf.Collection(models || [], _.extend({}, options, {model: this}));
  224. },
  225. /**
  226. * Shortcut to a model's `count` method so you don't need to instantiate a new model to count
  227. * the number of records.
  228. *
  229. * @example
  230. * Duck.count().then((count) => {
  231. * console.log('number of ducks', count)
  232. * })
  233. *
  234. * @method Model.count
  235. * @since 0.8.2
  236. * @see Model#count
  237. * @param {string} [column='*']
  238. * Specify a column to count. Rows with `null` values in this column will be excluded.
  239. * @param {Object} [options] Hash of options.
  240. * @param {boolean} [options.debug=false]
  241. * Whether to enable debugging mode or not. When enabled will show information about the
  242. * queries being run.
  243. * @returns {Promise<number|string>}
  244. */
  245. count(column, options) {
  246. return this.forge().count(column, options);
  247. },
  248. /**
  249. * @method Model.fetchAll
  250. * @description
  251. *
  252. * Simple helper function for retrieving all instances of the given model.
  253. *
  254. * @see Model#fetchAll
  255. * @returns {Promise<Collection>}
  256. */
  257. fetchAll(options) {
  258. return this.forge().fetchAll(options);
  259. }
  260. }
  261. ));
  262. const Collection = (bookshelf.Collection = BookshelfCollection.extend(
  263. {
  264. _builder: builderFn,
  265. through(Source, ...args) {
  266. return BookshelfCollection.prototype.through.apply(this, [resolveModel(Source), ...args]);
  267. }
  268. },
  269. {
  270. /**
  271. * @method Collection.forge
  272. * @description
  273. *
  274. * A simple helper function to instantiate a new Collection without needing
  275. * new.
  276. *
  277. * @param {(Object[]|Model[])=} [models]
  278. * Set of models (or attribute hashes) with which to initialize the
  279. * collection.
  280. * @param {Object} options Hash of options.
  281. *
  282. * @example
  283. *
  284. * var Promise = require('bluebird');
  285. * var Accounts = bookshelf.Collection.extend({
  286. * model: Account
  287. * });
  288. *
  289. * var accounts = Accounts.forge([
  290. * {name: 'Person1'},
  291. * {name: 'Person2'}
  292. * ]);
  293. *
  294. * Promise.all(accounts.invokeMap('save')).then(function() {
  295. * // collection models should now be saved...
  296. * });
  297. */
  298. forge: function forge(models, options) {
  299. return new this(models, options);
  300. }
  301. }
  302. ));
  303. // The collection also references the correct `Model`, specified above, for
  304. // creating new `Model` instances in the collection.
  305. Collection.prototype.model = Model;
  306. Model.prototype.Collection = Collection;
  307. const Relation = BookshelfRelation.extend({Model, Collection});
  308. // A `Bookshelf` instance may be used as a top-level pub-sub bus, as it mixes
  309. // in the `Events` object. It also contains the version number, and a
  310. // `Transaction` method referencing the correct version of `knex` passed into
  311. // the object.
  312. _.extend(bookshelf, Events, errors, {
  313. /**
  314. * An alias to `{@link http://knexjs.org/#Transactions Knex#transaction}`. The `transaction`
  315. * object must be passed along in the options of any relevant Bookshelf calls, to ensure all
  316. * queries are on the same connection. The entire transaction block is wrapped around a Promise
  317. * that will commit the transaction if it resolves successfully, or roll it back if the Promise
  318. * is rejected.
  319. *
  320. * Note that there is no need to explicitly call `transaction.commit()` or
  321. * `transaction.rollback()` since the entire transaction will be committed if there are no
  322. * errors inside the transaction block.
  323. *
  324. * When fetching inside a transaction it's possible to specify a row-level lock by passing the
  325. * wanted lock type in the `lock` option to {@linkcode Model#fetch fetch}. Available options are
  326. * `lock: 'forUpdate'` and `lock: 'forShare'`.
  327. *
  328. * @example
  329. * var Promise = require('bluebird')
  330. *
  331. * Bookshelf.transaction((t) => {
  332. * return new Library({name: 'Old Books'})
  333. * .save(null, {transacting: t})
  334. * .tap(function(model) {
  335. * return Promise.map([
  336. * {title: 'Canterbury Tales'},
  337. * {title: 'Moby Dick'},
  338. * {title: 'Hamlet'}
  339. * ], (info) => {
  340. * return new Book(info).save({'shelf_id': model.id}, {transacting: t})
  341. * })
  342. * })
  343. * }).then((library) => {
  344. * console.log(library.related('books').pluck('title'))
  345. * }).catch((err) => {
  346. * console.error(err)
  347. * })
  348. *
  349. * @method Bookshelf#transaction
  350. * @param {Bookshelf~transactionCallback} transactionCallback
  351. * Callback containing transaction logic. The callback should return a Promise.
  352. * @returns {Promise}
  353. * A promise resolving to the value returned from
  354. * {@link Bookshelf~transactionCallback transactionCallback}.
  355. */
  356. transaction() {
  357. return this.knex.transaction.apply(this.knex, arguments);
  358. },
  359. /**
  360. * This is a transaction block to be provided to {@link Bookshelf#transaction}. All of the
  361. * database operations inside it can be part of the same transaction by passing the
  362. * `transacting: transaction` option to {@link Model#fetch fetch}, {@link Model#save save} or
  363. * {@link Model#destroy destroy}.
  364. *
  365. * Note that unless you explicitly pass the `transaction` object along to any relevant model
  366. * operations, those operations will not be part of the transaction, even though they may be
  367. * inside the transaction callback.
  368. *
  369. * @callback Bookshelf~transactionCallback
  370. * @see {@link http://knexjs.org/#Transactions Knex#transaction}
  371. * @see Bookshelf#transaction
  372. *
  373. * @param {Transaction} transaction
  374. * @returns {Promise}
  375. * The Promise will resolve to the return value of the callback, or be rejected with an error
  376. * thrown inside it. If it resolves, the entire transaction is committed, otherwise it is
  377. * rolled back.
  378. */
  379. /**
  380. * @method Bookshelf#plugin
  381. * @memberOf Bookshelf
  382. * @description
  383. *
  384. * This method provides a nice, tested, standardized way of adding plugins
  385. * to a `Bookshelf` instance, injecting the current instance into the
  386. * plugin, which should be a `module.exports`.
  387. *
  388. * You can add a plugin by specifying a string with the name of the plugin
  389. * to load. In this case it will try to find a module. It will pass the
  390. * string to `require()`, so you can either require a third-party dependency
  391. * by name or one of your own modules by relative path:
  392. *
  393. * bookshelf.plugin('./bookshelf-plugins/my-favourite-plugin');
  394. * bookshelf.plugin('plugin-from-npm');
  395. *
  396. * There are a few official plugins published in `npm`, along with many
  397. * independently developed ones. See
  398. * [the list of available plugins](index.html#official-plugins).
  399. *
  400. * You can also provide an array of strings or functions, which is the same
  401. * as calling `bookshelf.plugin()` multiple times. In this case the same
  402. * options object will be reused:
  403. *
  404. * bookshelf.plugin(['cool-plugin', './my-plugins/even-cooler-plugin']);
  405. *
  406. * Example plugin:
  407. *
  408. * // Converts all string values to lower case when setting attributes on a model
  409. * module.exports = function(bookshelf) {
  410. * bookshelf.Model = bookshelf.Model.extend({
  411. * set(key, value, options) {
  412. * if (!key) return this
  413. * if (typeof value === 'string') value = value.toLowerCase()
  414. * return bookshelf.Model.prototype.set.call(this, key, value, options)
  415. * }
  416. * })
  417. * }
  418. *
  419. * @param {string|array|Function} plugin
  420. * The plugin or plugins to load. If you provide a string it can
  421. * represent an npm package or a file somewhere on your project. You can
  422. * also pass a function as argument to add it as a plugin. Finally, it's
  423. * also possible to pass an array of strings or functions to add them all
  424. * at once.
  425. * @param {mixed} options
  426. * This can be anything you want and it will be passed directly to the
  427. * plugin as the second argument when loading it.
  428. * @return {Bookshelf} The bookshelf instance for chaining.
  429. */
  430. plugin(plugin, options) {
  431. if (_.isString(plugin)) {
  432. if (plugin === 'pagination') {
  433. const message =
  434. 'Pagination plugin was moved into core Bookshelf. You can now use `fetchPage()` without having to ' +
  435. "call `.plugin('pagination')`. Remove any `.plugin('pagination')` calls to clear this message.";
  436. return console.warn(message); // eslint-disable-line no-console
  437. }
  438. if (plugin === 'visibility') {
  439. const message =
  440. 'Visibility plugin was moved into core Bookshelf. You can now set the `hidden` and `visible` properties ' +
  441. "without having to call `.plugin('visibility')`. Remove any `.plugin('visibility')` calls to clear this " +
  442. 'message.';
  443. return console.warn(message); // eslint-disable-line no-console
  444. }
  445. if (plugin === 'registry') {
  446. const message =
  447. 'Registry plugin was moved into core Bookshelf. You can now register models using `bookshelf.model()` ' +
  448. "and collections using `bookshelf.collection()` without having to call `.plugin('registry')`. Remove " +
  449. "any `.plugin('registry')` calls to clear this message.";
  450. return console.warn(message); // eslint-disable-line no-console
  451. }
  452. if (plugin === 'processor') {
  453. const message =
  454. 'Processor plugin was removed from core Bookshelf. To migrate to the new standalone package follow the ' +
  455. 'instructions in https://github.com/bookshelf/bookshelf/wiki/Migrating-from-0.15.1-to-1.0.0#processor-plugin';
  456. return console.warn(message); // eslint-disable-line no-console
  457. }
  458. if (plugin === 'case-converter') {
  459. const message =
  460. 'Case converter plugin was removed from core Bookshelf. To migrate to the new standalone package follow ' +
  461. 'the instructions in https://github.com/bookshelf/bookshelf/wiki/Migrating-from-0.15.1-to-1.0.0#case-converter-plugin';
  462. return console.warn(message); // eslint-disable-line no-console
  463. }
  464. if (plugin === 'virtuals') {
  465. const message =
  466. 'Virtuals plugin was removed from core Bookshelf. To migrate to the new standalone package follow ' +
  467. 'the instructions in https://github.com/bookshelf/bookshelf/wiki/Migrating-from-0.15.1-to-1.0.0#virtuals-plugin';
  468. return console.warn(message); // eslint-disable-line no-console
  469. }
  470. require(plugin)(this, options);
  471. } else if (Array.isArray(plugin)) {
  472. plugin.forEach((p) => this.plugin(p, options));
  473. } else {
  474. plugin(this, options);
  475. }
  476. return this;
  477. }
  478. });
  479. /**
  480. * @member Bookshelf#knex
  481. * @type {Knex}
  482. * @description
  483. * A reference to the {@link http://knexjs.org Knex.js} instance being used by Bookshelf.
  484. */
  485. bookshelf.knex = knex;
  486. function builderFn(tableNameOrBuilder) {
  487. let builder = null;
  488. if (_.isString(tableNameOrBuilder)) {
  489. builder = bookshelf.knex(tableNameOrBuilder);
  490. } else if (tableNameOrBuilder == null) {
  491. builder = bookshelf.knex.queryBuilder();
  492. } else {
  493. // Assuming here that `tableNameOrBuilder` is a QueryBuilder instance. Not
  494. // aware of a way to check that this is the case (ie. using
  495. // `Knex.isQueryBuilder` or equivalent).
  496. builder = tableNameOrBuilder;
  497. }
  498. return builder.on('query', (data) => this.trigger('query', data));
  499. }
  500. // Attach `where`, `query`, and `fetchAll` as static methods.
  501. ['where', 'query'].forEach((method) => {
  502. Model[method] = Collection[method] = function() {
  503. const model = this.forge();
  504. return model[method].apply(model, arguments);
  505. };
  506. });
  507. return bookshelf;
  508. }
  509. module.exports = Bookshelf;