Source: lib/collection.js

  1. 'use strict';
  2. const deprecate = require('util').deprecate;
  3. const deprecateOptions = require('./utils').deprecateOptions;
  4. const checkCollectionName = require('./utils').checkCollectionName;
  5. const ObjectID = require('./core').BSON.ObjectID;
  6. const MongoError = require('./core').MongoError;
  7. const toError = require('./utils').toError;
  8. const normalizeHintField = require('./utils').normalizeHintField;
  9. const decorateCommand = require('./utils').decorateCommand;
  10. const decorateWithCollation = require('./utils').decorateWithCollation;
  11. const decorateWithReadConcern = require('./utils').decorateWithReadConcern;
  12. const formattedOrderClause = require('./utils').formattedOrderClause;
  13. const ReadPreference = require('./core').ReadPreference;
  14. const unordered = require('./bulk/unordered');
  15. const ordered = require('./bulk/ordered');
  16. const ChangeStream = require('./change_stream');
  17. const executeLegacyOperation = require('./utils').executeLegacyOperation;
  18. const WriteConcern = require('./write_concern');
  19. const ReadConcern = require('./read_concern');
  20. const MongoDBNamespace = require('./utils').MongoDBNamespace;
  21. const AggregationCursor = require('./aggregation_cursor');
  22. const CommandCursor = require('./command_cursor');
  23. // Operations
  24. const checkForAtomicOperators = require('./operations/collection_ops').checkForAtomicOperators;
  25. const ensureIndex = require('./operations/collection_ops').ensureIndex;
  26. const group = require('./operations/collection_ops').group;
  27. const parallelCollectionScan = require('./operations/collection_ops').parallelCollectionScan;
  28. const removeDocuments = require('./operations/common_functions').removeDocuments;
  29. const save = require('./operations/collection_ops').save;
  30. const updateDocuments = require('./operations/common_functions').updateDocuments;
  31. const AggregateOperation = require('./operations/aggregate');
  32. const BulkWriteOperation = require('./operations/bulk_write');
  33. const CountDocumentsOperation = require('./operations/count_documents');
  34. const CreateIndexOperation = require('./operations/create_index');
  35. const CreateIndexesOperation = require('./operations/create_indexes');
  36. const DeleteManyOperation = require('./operations/delete_many');
  37. const DeleteOneOperation = require('./operations/delete_one');
  38. const DistinctOperation = require('./operations/distinct');
  39. const DropCollectionOperation = require('./operations/drop').DropCollectionOperation;
  40. const DropIndexOperation = require('./operations/drop_index');
  41. const DropIndexesOperation = require('./operations/drop_indexes');
  42. const EstimatedDocumentCountOperation = require('./operations/estimated_document_count');
  43. const FindOperation = require('./operations/find');
  44. const FindOneOperation = require('./operations/find_one');
  45. const FindAndModifyOperation = require('./operations/find_and_modify');
  46. const FindOneAndDeleteOperation = require('./operations/find_one_and_delete');
  47. const FindOneAndReplaceOperation = require('./operations/find_one_and_replace');
  48. const FindOneAndUpdateOperation = require('./operations/find_one_and_update');
  49. const GeoHaystackSearchOperation = require('./operations/geo_haystack_search');
  50. const IndexesOperation = require('./operations/indexes');
  51. const IndexExistsOperation = require('./operations/index_exists');
  52. const IndexInformationOperation = require('./operations/index_information');
  53. const InsertManyOperation = require('./operations/insert_many');
  54. const InsertOneOperation = require('./operations/insert_one');
  55. const IsCappedOperation = require('./operations/is_capped');
  56. const ListIndexesOperation = require('./operations/list_indexes');
  57. const MapReduceOperation = require('./operations/map_reduce');
  58. const OptionsOperation = require('./operations/options_operation');
  59. const RenameOperation = require('./operations/rename');
  60. const ReIndexOperation = require('./operations/re_index');
  61. const ReplaceOneOperation = require('./operations/replace_one');
  62. const StatsOperation = require('./operations/stats');
  63. const UpdateManyOperation = require('./operations/update_many');
  64. const UpdateOneOperation = require('./operations/update_one');
  65. const executeOperation = require('./operations/execute_operation');
  66. /**
  67. * @fileOverview The **Collection** class is an internal class that embodies a MongoDB collection
  68. * allowing for insert/update/remove/find and other command operation on that MongoDB collection.
  69. *
  70. * **COLLECTION Cannot directly be instantiated**
  71. * @example
  72. * const MongoClient = require('mongodb').MongoClient;
  73. * const test = require('assert');
  74. * // Connection url
  75. * const url = 'mongodb://localhost:27017';
  76. * // Database Name
  77. * const dbName = 'test';
  78. * // Connect using MongoClient
  79. * MongoClient.connect(url, function(err, client) {
  80. * // Create a collection we want to drop later
  81. * const col = client.db(dbName).collection('createIndexExample1');
  82. * // Show that duplicate records got dropped
  83. * col.find({}).toArray(function(err, items) {
  84. * test.equal(null, err);
  85. * test.equal(4, items.length);
  86. * client.close();
  87. * });
  88. * });
  89. */
  90. const mergeKeys = ['ignoreUndefined'];
  91. /**
  92. * Create a new Collection instance (INTERNAL TYPE, do not instantiate directly)
  93. * @class
  94. */
  95. function Collection(db, topology, dbName, name, pkFactory, options) {
  96. checkCollectionName(name);
  97. // Unpack variables
  98. const internalHint = null;
  99. const slaveOk = options == null || options.slaveOk == null ? db.slaveOk : options.slaveOk;
  100. const serializeFunctions =
  101. options == null || options.serializeFunctions == null
  102. ? db.s.options.serializeFunctions
  103. : options.serializeFunctions;
  104. const raw = options == null || options.raw == null ? db.s.options.raw : options.raw;
  105. const promoteLongs =
  106. options == null || options.promoteLongs == null
  107. ? db.s.options.promoteLongs
  108. : options.promoteLongs;
  109. const promoteValues =
  110. options == null || options.promoteValues == null
  111. ? db.s.options.promoteValues
  112. : options.promoteValues;
  113. const promoteBuffers =
  114. options == null || options.promoteBuffers == null
  115. ? db.s.options.promoteBuffers
  116. : options.promoteBuffers;
  117. const collectionHint = null;
  118. const namespace = new MongoDBNamespace(dbName, name);
  119. // Get the promiseLibrary
  120. const promiseLibrary = options.promiseLibrary || Promise;
  121. // Set custom primary key factory if provided
  122. pkFactory = pkFactory == null ? ObjectID : pkFactory;
  123. // Internal state
  124. this.s = {
  125. // Set custom primary key factory if provided
  126. pkFactory: pkFactory,
  127. // Db
  128. db: db,
  129. // Topology
  130. topology: topology,
  131. // Options
  132. options: options,
  133. // Namespace
  134. namespace: namespace,
  135. // Read preference
  136. readPreference: ReadPreference.fromOptions(options),
  137. // SlaveOK
  138. slaveOk: slaveOk,
  139. // Serialize functions
  140. serializeFunctions: serializeFunctions,
  141. // Raw
  142. raw: raw,
  143. // promoteLongs
  144. promoteLongs: promoteLongs,
  145. // promoteValues
  146. promoteValues: promoteValues,
  147. // promoteBuffers
  148. promoteBuffers: promoteBuffers,
  149. // internalHint
  150. internalHint: internalHint,
  151. // collectionHint
  152. collectionHint: collectionHint,
  153. // Promise library
  154. promiseLibrary: promiseLibrary,
  155. // Read Concern
  156. readConcern: ReadConcern.fromOptions(options),
  157. // Write Concern
  158. writeConcern: WriteConcern.fromOptions(options)
  159. };
  160. }
  161. /**
  162. * The name of the database this collection belongs to
  163. * @member {string} dbName
  164. * @memberof Collection#
  165. * @readonly
  166. */
  167. Object.defineProperty(Collection.prototype, 'dbName', {
  168. enumerable: true,
  169. get: function() {
  170. return this.s.namespace.db;
  171. }
  172. });
  173. /**
  174. * The name of this collection
  175. * @member {string} collectionName
  176. * @memberof Collection#
  177. * @readonly
  178. */
  179. Object.defineProperty(Collection.prototype, 'collectionName', {
  180. enumerable: true,
  181. get: function() {
  182. return this.s.namespace.collection;
  183. }
  184. });
  185. /**
  186. * The namespace of this collection, in the format `${this.dbName}.${this.collectionName}`
  187. * @member {string} namespace
  188. * @memberof Collection#
  189. * @readonly
  190. */
  191. Object.defineProperty(Collection.prototype, 'namespace', {
  192. enumerable: true,
  193. get: function() {
  194. return this.s.namespace.toString();
  195. }
  196. });
  197. /**
  198. * The current readConcern of the collection. If not explicitly defined for
  199. * this collection, will be inherited from the parent DB
  200. * @member {ReadConcern} [readConcern]
  201. * @memberof Collection#
  202. * @readonly
  203. */
  204. Object.defineProperty(Collection.prototype, 'readConcern', {
  205. enumerable: true,
  206. get: function() {
  207. if (this.s.readConcern == null) {
  208. return this.s.db.readConcern;
  209. }
  210. return this.s.readConcern;
  211. }
  212. });
  213. /**
  214. * The current readPreference of the collection. If not explicitly defined for
  215. * this collection, will be inherited from the parent DB
  216. * @member {ReadPreference} [readPreference]
  217. * @memberof Collection#
  218. * @readonly
  219. */
  220. Object.defineProperty(Collection.prototype, 'readPreference', {
  221. enumerable: true,
  222. get: function() {
  223. if (this.s.readPreference == null) {
  224. return this.s.db.readPreference;
  225. }
  226. return this.s.readPreference;
  227. }
  228. });
  229. /**
  230. * The current writeConcern of the collection. If not explicitly defined for
  231. * this collection, will be inherited from the parent DB
  232. * @member {WriteConcern} [writeConcern]
  233. * @memberof Collection#
  234. * @readonly
  235. */
  236. Object.defineProperty(Collection.prototype, 'writeConcern', {
  237. enumerable: true,
  238. get: function() {
  239. if (this.s.writeConcern == null) {
  240. return this.s.db.writeConcern;
  241. }
  242. return this.s.writeConcern;
  243. }
  244. });
  245. /**
  246. * The current index hint for the collection
  247. * @member {object} [hint]
  248. * @memberof Collection#
  249. */
  250. Object.defineProperty(Collection.prototype, 'hint', {
  251. enumerable: true,
  252. get: function() {
  253. return this.s.collectionHint;
  254. },
  255. set: function(v) {
  256. this.s.collectionHint = normalizeHintField(v);
  257. }
  258. });
  259. const DEPRECATED_FIND_OPTIONS = ['maxScan', 'fields', 'snapshot'];
  260. /**
  261. * Creates a cursor for a query that can be used to iterate over results from MongoDB
  262. * @method
  263. * @param {object} [query={}] The cursor query object.
  264. * @param {object} [options] Optional settings.
  265. * @param {number} [options.limit=0] Sets the limit of documents returned in the query.
  266. * @param {(array|object)} [options.sort] Set to sort the documents coming back from the query. Array of indexes, [['a', 1]] etc.
  267. * @param {object} [options.projection] The fields to return in the query. Object of fields to either include or exclude (one of, not both), {'a':1, 'b': 1} **or** {'a': 0, 'b': 0}
  268. * @param {object} [options.fields] **Deprecated** Use `options.projection` instead
  269. * @param {number} [options.skip=0] Set to skip N documents ahead in your query (useful for pagination).
  270. * @param {Object} [options.hint] Tell the query to use specific indexes in the query. Object of indexes to use, {'_id':1}
  271. * @param {boolean} [options.explain=false] Explain the query instead of returning the data.
  272. * @param {boolean} [options.snapshot=false] DEPRECATED: Snapshot query.
  273. * @param {boolean} [options.timeout=false] Specify if the cursor can timeout.
  274. * @param {boolean} [options.tailable=false] Specify if the cursor is tailable.
  275. * @param {boolean} [options.awaitData=false] Specify if the cursor is a a tailable-await cursor. Requires `tailable` to be true
  276. * @param {number} [options.batchSize=1000] Set the batchSize for the getMoreCommand when iterating over the query results.
  277. * @param {boolean} [options.returnKey=false] Only return the index key.
  278. * @param {number} [options.maxScan] DEPRECATED: Limit the number of items to scan.
  279. * @param {number} [options.min] Set index bounds.
  280. * @param {number} [options.max] Set index bounds.
  281. * @param {boolean} [options.showDiskLoc=false] Show disk location of results.
  282. * @param {string} [options.comment] You can put a $comment field on a query to make looking in the profiler logs simpler.
  283. * @param {boolean} [options.raw=false] Return document results as raw BSON buffers.
  284. * @param {boolean} [options.promoteLongs=true] Promotes Long values to number if they fit inside the 53 bits resolution.
  285. * @param {boolean} [options.promoteValues=true] Promotes BSON values to native types where possible, set to false to only receive wrapper types.
  286. * @param {boolean} [options.promoteBuffers=false] Promotes Binary BSON values to native Node Buffers.
  287. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  288. * @param {boolean} [options.partial=false] Specify if the cursor should return partial results when querying against a sharded system
  289. * @param {number} [options.maxTimeMS] Number of milliseconds to wait before aborting the query.
  290. * @param {number} [options.maxAwaitTimeMS] The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query. Requires `tailable` and `awaitData` to be true
  291. * @param {boolean} [options.noCursorTimeout] The server normally times out idle cursors after an inactivity period (10 minutes) to prevent excess memory use. Set this option to prevent that.
  292. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  293. * @param {ClientSession} [options.session] optional session to use for this operation
  294. * @throws {MongoError}
  295. * @return {Cursor}
  296. */
  297. Collection.prototype.find = deprecateOptions(
  298. {
  299. name: 'collection.find',
  300. deprecatedOptions: DEPRECATED_FIND_OPTIONS,
  301. optionsIndex: 1
  302. },
  303. function(query, options, callback) {
  304. if (typeof callback === 'object') {
  305. // TODO(MAJOR): throw in the future
  306. console.warn('Third parameter to `find()` must be a callback or undefined');
  307. }
  308. let selector = query;
  309. // figuring out arguments
  310. if (typeof callback !== 'function') {
  311. if (typeof options === 'function') {
  312. callback = options;
  313. options = undefined;
  314. } else if (options == null) {
  315. callback = typeof selector === 'function' ? selector : undefined;
  316. selector = typeof selector === 'object' ? selector : undefined;
  317. }
  318. }
  319. // Ensure selector is not null
  320. selector = selector == null ? {} : selector;
  321. // Validate correctness off the selector
  322. const object = selector;
  323. if (Buffer.isBuffer(object)) {
  324. const object_size = object[0] | (object[1] << 8) | (object[2] << 16) | (object[3] << 24);
  325. if (object_size !== object.length) {
  326. const error = new Error(
  327. 'query selector raw message size does not match message header size [' +
  328. object.length +
  329. '] != [' +
  330. object_size +
  331. ']'
  332. );
  333. error.name = 'MongoError';
  334. throw error;
  335. }
  336. }
  337. // Check special case where we are using an objectId
  338. if (selector != null && selector._bsontype === 'ObjectID') {
  339. selector = { _id: selector };
  340. }
  341. if (!options) options = {};
  342. let projection = options.projection || options.fields;
  343. if (projection && !Buffer.isBuffer(projection) && Array.isArray(projection)) {
  344. projection = projection.length
  345. ? projection.reduce((result, field) => {
  346. result[field] = 1;
  347. return result;
  348. }, {})
  349. : { _id: 1 };
  350. }
  351. // Make a shallow copy of options
  352. let newOptions = Object.assign({}, options);
  353. // Make a shallow copy of the collection options
  354. for (let key in this.s.options) {
  355. if (mergeKeys.indexOf(key) !== -1) {
  356. newOptions[key] = this.s.options[key];
  357. }
  358. }
  359. // Unpack options
  360. newOptions.skip = options.skip ? options.skip : 0;
  361. newOptions.limit = options.limit ? options.limit : 0;
  362. newOptions.raw = typeof options.raw === 'boolean' ? options.raw : this.s.raw;
  363. newOptions.hint =
  364. options.hint != null ? normalizeHintField(options.hint) : this.s.collectionHint;
  365. newOptions.timeout = typeof options.timeout === 'undefined' ? undefined : options.timeout;
  366. // // If we have overridden slaveOk otherwise use the default db setting
  367. newOptions.slaveOk = options.slaveOk != null ? options.slaveOk : this.s.db.slaveOk;
  368. // Add read preference if needed
  369. newOptions.readPreference = ReadPreference.resolve(this, newOptions);
  370. // Set slave ok to true if read preference different from primary
  371. if (
  372. newOptions.readPreference != null &&
  373. (newOptions.readPreference !== 'primary' || newOptions.readPreference.mode !== 'primary')
  374. ) {
  375. newOptions.slaveOk = true;
  376. }
  377. // Ensure the query is an object
  378. if (selector != null && typeof selector !== 'object') {
  379. throw MongoError.create({ message: 'query selector must be an object', driver: true });
  380. }
  381. // Build the find command
  382. const findCommand = {
  383. find: this.s.namespace.toString(),
  384. limit: newOptions.limit,
  385. skip: newOptions.skip,
  386. query: selector
  387. };
  388. // Ensure we use the right await data option
  389. if (typeof newOptions.awaitdata === 'boolean') {
  390. newOptions.awaitData = newOptions.awaitdata;
  391. }
  392. // Translate to new command option noCursorTimeout
  393. if (typeof newOptions.timeout === 'boolean') newOptions.noCursorTimeout = newOptions.timeout;
  394. decorateCommand(findCommand, newOptions, ['session', 'collation']);
  395. if (projection) findCommand.fields = projection;
  396. // Add db object to the new options
  397. newOptions.db = this.s.db;
  398. // Add the promise library
  399. newOptions.promiseLibrary = this.s.promiseLibrary;
  400. // Set raw if available at collection level
  401. if (newOptions.raw == null && typeof this.s.raw === 'boolean') newOptions.raw = this.s.raw;
  402. // Set promoteLongs if available at collection level
  403. if (newOptions.promoteLongs == null && typeof this.s.promoteLongs === 'boolean')
  404. newOptions.promoteLongs = this.s.promoteLongs;
  405. if (newOptions.promoteValues == null && typeof this.s.promoteValues === 'boolean')
  406. newOptions.promoteValues = this.s.promoteValues;
  407. if (newOptions.promoteBuffers == null && typeof this.s.promoteBuffers === 'boolean')
  408. newOptions.promoteBuffers = this.s.promoteBuffers;
  409. // Sort options
  410. if (findCommand.sort) {
  411. findCommand.sort = formattedOrderClause(findCommand.sort);
  412. }
  413. // Set the readConcern
  414. decorateWithReadConcern(findCommand, this, options);
  415. // Decorate find command with collation options
  416. try {
  417. decorateWithCollation(findCommand, this, options);
  418. } catch (err) {
  419. if (typeof callback === 'function') return callback(err, null);
  420. throw err;
  421. }
  422. const cursor = this.s.topology.cursor(
  423. new FindOperation(this, this.s.namespace, findCommand, newOptions),
  424. newOptions
  425. );
  426. // TODO: remove this when NODE-2074 is resolved
  427. if (typeof callback === 'function') {
  428. callback(null, cursor);
  429. return;
  430. }
  431. return cursor;
  432. }
  433. );
  434. /**
  435. * Inserts a single document into MongoDB. If documents passed in do not contain the **_id** field,
  436. * one will be added to each of the documents missing it by the driver, mutating the document. This behavior
  437. * can be overridden by setting the **forceServerObjectId** flag.
  438. *
  439. * @method
  440. * @param {object} doc Document to insert.
  441. * @param {object} [options] Optional settings.
  442. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  443. * @param {boolean} [options.forceServerObjectId=false] Force server to assign _id values instead of driver.
  444. * @param {(number|string)} [options.w] The write concern.
  445. * @param {number} [options.wtimeout] The write concern timeout.
  446. * @param {boolean} [options.j=false] Specify a journal write concern.
  447. * @param {boolean} [options.checkKeys=true] If true, will throw if bson documents start with `$` or include a `.` in any key value
  448. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  449. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  450. * @param {ClientSession} [options.session] optional session to use for this operation
  451. * @param {Collection~insertOneWriteOpCallback} [callback] The command result callback
  452. * @return {Promise} returns Promise if no callback passed
  453. */
  454. Collection.prototype.insertOne = function(doc, options, callback) {
  455. if (typeof options === 'function') (callback = options), (options = {});
  456. options = options || {};
  457. // Add ignoreUndefined
  458. if (this.s.options.ignoreUndefined) {
  459. options = Object.assign({}, options);
  460. options.ignoreUndefined = this.s.options.ignoreUndefined;
  461. }
  462. const insertOneOperation = new InsertOneOperation(this, doc, options);
  463. return executeOperation(this.s.topology, insertOneOperation, callback);
  464. };
  465. /**
  466. * Inserts an array of documents into MongoDB. If documents passed in do not contain the **_id** field,
  467. * one will be added to each of the documents missing it by the driver, mutating the document. This behavior
  468. * can be overridden by setting the **forceServerObjectId** flag.
  469. *
  470. * @method
  471. * @param {object[]} docs Documents to insert.
  472. * @param {object} [options] Optional settings.
  473. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  474. * @param {boolean} [options.ordered=true] If true, when an insert fails, don't execute the remaining writes. If false, continue with remaining inserts when one fails.
  475. * @param {boolean} [options.forceServerObjectId=false] Force server to assign _id values instead of driver.
  476. * @param {(number|string)} [options.w] The write concern.
  477. * @param {number} [options.wtimeout] The write concern timeout.
  478. * @param {boolean} [options.j=false] Specify a journal write concern.
  479. * @param {boolean} [options.checkKeys=true] If true, will throw if bson documents start with `$` or include a `.` in any key value
  480. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  481. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  482. * @param {ClientSession} [options.session] optional session to use for this operation
  483. * @param {Collection~insertWriteOpCallback} [callback] The command result callback
  484. * @return {Promise} returns Promise if no callback passed
  485. */
  486. Collection.prototype.insertMany = function(docs, options, callback) {
  487. if (typeof options === 'function') (callback = options), (options = {});
  488. options = options ? Object.assign({}, options) : { ordered: true };
  489. const insertManyOperation = new InsertManyOperation(this, docs, options);
  490. return executeOperation(this.s.topology, insertManyOperation, callback);
  491. };
  492. /**
  493. * @typedef {Object} Collection~BulkWriteOpResult
  494. * @property {number} insertedCount Number of documents inserted.
  495. * @property {number} matchedCount Number of documents matched for update.
  496. * @property {number} modifiedCount Number of documents modified.
  497. * @property {number} deletedCount Number of documents deleted.
  498. * @property {number} upsertedCount Number of documents upserted.
  499. * @property {object} insertedIds Inserted document generated Id's, hash key is the index of the originating operation
  500. * @property {object} upsertedIds Upserted document generated Id's, hash key is the index of the originating operation
  501. * @property {object} result The command result object.
  502. */
  503. /**
  504. * The callback format for inserts
  505. * @callback Collection~bulkWriteOpCallback
  506. * @param {BulkWriteError} error An error instance representing the error during the execution.
  507. * @param {Collection~BulkWriteOpResult} result The result object if the command was executed successfully.
  508. */
  509. /**
  510. * Perform a bulkWrite operation without a fluent API
  511. *
  512. * Legal operation types are
  513. *
  514. * { insertOne: { document: { a: 1 } } }
  515. *
  516. * { updateOne: { filter: {a:2}, update: {$set: {a:2}}, upsert:true } }
  517. *
  518. * { updateMany: { filter: {a:2}, update: {$set: {a:2}}, upsert:true } }
  519. *
  520. * { updateMany: { filter: {}, update: {$set: {"a.$[i].x": 5}}, arrayFilters: [{ "i.x": 5 }]} }
  521. *
  522. * { deleteOne: { filter: {c:1} } }
  523. *
  524. * { deleteMany: { filter: {c:1} } }
  525. *
  526. * { replaceOne: { filter: {c:3}, replacement: {c:4}, upsert:true}}
  527. *
  528. * If documents passed in do not contain the **_id** field,
  529. * one will be added to each of the documents missing it by the driver, mutating the document. This behavior
  530. * can be overridden by setting the **forceServerObjectId** flag.
  531. *
  532. * @method
  533. * @param {object[]} operations Bulk operations to perform.
  534. * @param {object} [options] Optional settings.
  535. * @param {boolean} [options.ordered=true] Execute write operation in ordered or unordered fashion.
  536. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  537. * @param {object[]} [options.arrayFilters] Determines which array elements to modify for update operation in MongoDB 3.6 or higher.
  538. * @param {(number|string)} [options.w] The write concern.
  539. * @param {number} [options.wtimeout] The write concern timeout.
  540. * @param {boolean} [options.j=false] Specify a journal write concern.
  541. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  542. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  543. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  544. * @param {ClientSession} [options.session] optional session to use for this operation
  545. * @param {Collection~bulkWriteOpCallback} [callback] The command result callback
  546. * @return {Promise} returns Promise if no callback passed
  547. */
  548. Collection.prototype.bulkWrite = function(operations, options, callback) {
  549. if (typeof options === 'function') (callback = options), (options = {});
  550. options = options || { ordered: true };
  551. if (!Array.isArray(operations)) {
  552. throw MongoError.create({ message: 'operations must be an array of documents', driver: true });
  553. }
  554. const bulkWriteOperation = new BulkWriteOperation(this, operations, options);
  555. return executeOperation(this.s.topology, bulkWriteOperation, callback);
  556. };
  557. /**
  558. * @typedef {Object} Collection~WriteOpResult
  559. * @property {object[]} ops All the documents inserted using insertOne/insertMany/replaceOne. Documents contain the _id field if forceServerObjectId == false for insertOne/insertMany
  560. * @property {object} connection The connection object used for the operation.
  561. * @property {object} result The command result object.
  562. */
  563. /**
  564. * The callback format for inserts
  565. * @callback Collection~writeOpCallback
  566. * @param {MongoError} error An error instance representing the error during the execution.
  567. * @param {Collection~WriteOpResult} result The result object if the command was executed successfully.
  568. */
  569. /**
  570. * @typedef {Object} Collection~insertWriteOpResult
  571. * @property {number} insertedCount The total amount of documents inserted.
  572. * @property {object[]} ops All the documents inserted using insertOne/insertMany/replaceOne. Documents contain the _id field if forceServerObjectId == false for insertOne/insertMany
  573. * @property {Object.<Number, ObjectId>} insertedIds Map of the index of the inserted document to the id of the inserted document.
  574. * @property {object} connection The connection object used for the operation.
  575. * @property {object} result The raw command result object returned from MongoDB (content might vary by server version).
  576. * @property {number} result.ok Is 1 if the command executed correctly.
  577. * @property {number} result.n The total count of documents inserted.
  578. */
  579. /**
  580. * @typedef {Object} Collection~insertOneWriteOpResult
  581. * @property {number} insertedCount The total amount of documents inserted.
  582. * @property {object[]} ops All the documents inserted using insertOne/insertMany/replaceOne. Documents contain the _id field if forceServerObjectId == false for insertOne/insertMany
  583. * @property {ObjectId} insertedId The driver generated ObjectId for the insert operation.
  584. * @property {object} connection The connection object used for the operation.
  585. * @property {object} result The raw command result object returned from MongoDB (content might vary by server version).
  586. * @property {number} result.ok Is 1 if the command executed correctly.
  587. * @property {number} result.n The total count of documents inserted.
  588. */
  589. /**
  590. * The callback format for inserts
  591. * @callback Collection~insertWriteOpCallback
  592. * @param {MongoError} error An error instance representing the error during the execution.
  593. * @param {Collection~insertWriteOpResult} result The result object if the command was executed successfully.
  594. */
  595. /**
  596. * The callback format for inserts
  597. * @callback Collection~insertOneWriteOpCallback
  598. * @param {MongoError} error An error instance representing the error during the execution.
  599. * @param {Collection~insertOneWriteOpResult} result The result object if the command was executed successfully.
  600. */
  601. /**
  602. * Inserts a single document or a an array of documents into MongoDB. If documents passed in do not contain the **_id** field,
  603. * one will be added to each of the documents missing it by the driver, mutating the document. This behavior
  604. * can be overridden by setting the **forceServerObjectId** flag.
  605. *
  606. * @method
  607. * @param {(object|object[])} docs Documents to insert.
  608. * @param {object} [options] Optional settings.
  609. * @param {(number|string)} [options.w] The write concern.
  610. * @param {number} [options.wtimeout] The write concern timeout.
  611. * @param {boolean} [options.j=false] Specify a journal write concern.
  612. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  613. * @param {boolean} [options.forceServerObjectId=false] Force server to assign _id values instead of driver.
  614. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  615. * @param {ClientSession} [options.session] optional session to use for this operation
  616. * @param {Collection~insertWriteOpCallback} [callback] The command result callback
  617. * @return {Promise} returns Promise if no callback passed
  618. * @deprecated Use insertOne, insertMany or bulkWrite
  619. */
  620. Collection.prototype.insert = deprecate(function(docs, options, callback) {
  621. if (typeof options === 'function') (callback = options), (options = {});
  622. options = options || { ordered: false };
  623. docs = !Array.isArray(docs) ? [docs] : docs;
  624. if (options.keepGoing === true) {
  625. options.ordered = false;
  626. }
  627. return this.insertMany(docs, options, callback);
  628. }, 'collection.insert is deprecated. Use insertOne, insertMany or bulkWrite instead.');
  629. /**
  630. * @typedef {Object} Collection~updateWriteOpResult
  631. * @property {Object} result The raw result returned from MongoDB. Will vary depending on server version.
  632. * @property {Number} result.ok Is 1 if the command executed correctly.
  633. * @property {Number} result.n The total count of documents scanned.
  634. * @property {Number} result.nModified The total count of documents modified.
  635. * @property {Object} connection The connection object used for the operation.
  636. * @property {Number} matchedCount The number of documents that matched the filter.
  637. * @property {Number} modifiedCount The number of documents that were modified.
  638. * @property {Number} upsertedCount The number of documents upserted.
  639. * @property {Object} upsertedId The upserted id.
  640. * @property {ObjectId} upsertedId._id The upserted _id returned from the server.
  641. * @property {Object} message The raw msg response wrapped in an internal class
  642. * @property {object[]} [ops] In a response to {@link Collection#replaceOne replaceOne}, contains the new value of the document on the server. This is the same document that was originally passed in, and is only here for legacy purposes.
  643. */
  644. /**
  645. * The callback format for inserts
  646. * @callback Collection~updateWriteOpCallback
  647. * @param {MongoError} error An error instance representing the error during the execution.
  648. * @param {Collection~updateWriteOpResult} result The result object if the command was executed successfully.
  649. */
  650. /**
  651. * Update a single document in a collection
  652. * @method
  653. * @param {object} filter The Filter used to select the document to update
  654. * @param {object} update The update operations to be applied to the document
  655. * @param {object} [options] Optional settings.
  656. * @param {Array} [options.arrayFilters] optional list of array filters referenced in filtered positional operators
  657. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  658. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  659. * @param {object} [options.hint] An optional hint for query optimization. See the {@link https://www.mongodb.com/docs/manual/reference/command/update/#update-command-hint|update command} reference for more information.
  660. * @param {boolean} [options.upsert=false] When true, creates a new document if no document matches the query..
  661. * @param {(number|string)} [options.w] The write concern.
  662. * @param {number} [options.wtimeout] The write concern timeout.
  663. * @param {boolean} [options.j=false] Specify a journal write concern.
  664. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  665. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  666. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  667. * @param {ClientSession} [options.session] optional session to use for this operation
  668. * @param {Collection~updateWriteOpCallback} [callback] The command result callback
  669. * @return {Promise} returns Promise if no callback passed
  670. */
  671. Collection.prototype.updateOne = function(filter, update, options, callback) {
  672. if (typeof options === 'function') (callback = options), (options = {});
  673. options = options || {};
  674. const err = checkForAtomicOperators(update);
  675. if (err) {
  676. if (typeof callback === 'function') return callback(err);
  677. return this.s.promiseLibrary.reject(err);
  678. }
  679. options = Object.assign({}, options);
  680. // Add ignoreUndefined
  681. if (this.s.options.ignoreUndefined) {
  682. options = Object.assign({}, options);
  683. options.ignoreUndefined = this.s.options.ignoreUndefined;
  684. }
  685. const updateOneOperation = new UpdateOneOperation(this, filter, update, options);
  686. return executeOperation(this.s.topology, updateOneOperation, callback);
  687. };
  688. /**
  689. * Replace a document in a collection with another document
  690. * @method
  691. * @param {object} filter The Filter used to select the document to replace
  692. * @param {object} doc The Document that replaces the matching document
  693. * @param {object} [options] Optional settings.
  694. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  695. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  696. * @param {object} [options.hint] An optional hint for query optimization. See the {@link https://www.mongodb.com/docs/manual/reference/command/update/#update-command-hint|update command} reference for more information.
  697. * @param {boolean} [options.upsert=false] When true, creates a new document if no document matches the query.
  698. * @param {(number|string)} [options.w] The write concern.
  699. * @param {number} [options.wtimeout] The write concern timeout.
  700. * @param {boolean} [options.j=false] Specify a journal write concern.
  701. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  702. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  703. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  704. * @param {ClientSession} [options.session] optional session to use for this operation
  705. * @param {Collection~updateWriteOpCallback} [callback] The command result callback
  706. * @return {Promise<Collection~updateWriteOpResult>} returns Promise if no callback passed
  707. */
  708. Collection.prototype.replaceOne = function(filter, doc, options, callback) {
  709. if (typeof options === 'function') (callback = options), (options = {});
  710. options = Object.assign({}, options);
  711. // Add ignoreUndefined
  712. if (this.s.options.ignoreUndefined) {
  713. options = Object.assign({}, options);
  714. options.ignoreUndefined = this.s.options.ignoreUndefined;
  715. }
  716. const replaceOneOperation = new ReplaceOneOperation(this, filter, doc, options);
  717. return executeOperation(this.s.topology, replaceOneOperation, callback);
  718. };
  719. /**
  720. * Update multiple documents in a collection
  721. * @method
  722. * @param {object} filter The Filter used to select the documents to update
  723. * @param {object} update The update operations to be applied to the documents
  724. * @param {object} [options] Optional settings.
  725. * @param {Array} [options.arrayFilters] optional list of array filters referenced in filtered positional operators
  726. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  727. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  728. * @param {object} [options.hint] An optional hint for query optimization. See the {@link https://www.mongodb.com/docs/manual/reference/command/update/#update-command-hint|update command} reference for more information.
  729. * @param {boolean} [options.upsert=false] When true, creates a new document if no document matches the query..
  730. * @param {(number|string)} [options.w] The write concern.
  731. * @param {number} [options.wtimeout] The write concern timeout.
  732. * @param {boolean} [options.j=false] Specify a journal write concern.
  733. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  734. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  735. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  736. * @param {ClientSession} [options.session] optional session to use for this operation
  737. * @param {Collection~updateWriteOpCallback} [callback] The command result callback
  738. * @return {Promise<Collection~updateWriteOpResult>} returns Promise if no callback passed
  739. */
  740. Collection.prototype.updateMany = function(filter, update, options, callback) {
  741. if (typeof options === 'function') (callback = options), (options = {});
  742. options = options || {};
  743. const err = checkForAtomicOperators(update);
  744. if (err) {
  745. if (typeof callback === 'function') return callback(err);
  746. return this.s.promiseLibrary.reject(err);
  747. }
  748. options = Object.assign({}, options);
  749. // Add ignoreUndefined
  750. if (this.s.options.ignoreUndefined) {
  751. options = Object.assign({}, options);
  752. options.ignoreUndefined = this.s.options.ignoreUndefined;
  753. }
  754. const updateManyOperation = new UpdateManyOperation(this, filter, update, options);
  755. return executeOperation(this.s.topology, updateManyOperation, callback);
  756. };
  757. /**
  758. * Updates documents.
  759. * @method
  760. * @param {object} selector The selector for the update operation.
  761. * @param {object} update The update operations to be applied to the documents
  762. * @param {object} [options] Optional settings.
  763. * @param {(number|string)} [options.w] The write concern.
  764. * @param {number} [options.wtimeout] The write concern timeout.
  765. * @param {boolean} [options.j=false] Specify a journal write concern.
  766. * @param {boolean} [options.upsert=false] Update operation is an upsert.
  767. * @param {boolean} [options.multi=false] Update one/all documents with operation.
  768. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  769. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  770. * @param {Array} [options.arrayFilters] optional list of array filters referenced in filtered positional operators
  771. * @param {ClientSession} [options.session] optional session to use for this operation
  772. * @param {object} [options.hint] An optional hint for query optimization. See the {@link https://www.mongodb.com/docs/manual/reference/command/update/#update-command-hint|update command} reference for more information.
  773. * @param {Collection~writeOpCallback} [callback] The command result callback
  774. * @throws {MongoError}
  775. * @return {Promise} returns Promise if no callback passed
  776. * @deprecated use updateOne, updateMany or bulkWrite
  777. */
  778. Collection.prototype.update = deprecate(function(selector, update, options, callback) {
  779. if (typeof options === 'function') (callback = options), (options = {});
  780. options = options || {};
  781. // Add ignoreUndefined
  782. if (this.s.options.ignoreUndefined) {
  783. options = Object.assign({}, options);
  784. options.ignoreUndefined = this.s.options.ignoreUndefined;
  785. }
  786. return executeLegacyOperation(this.s.topology, updateDocuments, [
  787. this,
  788. selector,
  789. update,
  790. options,
  791. callback
  792. ]);
  793. }, 'collection.update is deprecated. Use updateOne, updateMany, or bulkWrite instead.');
  794. /**
  795. * @typedef {Object} Collection~deleteWriteOpResult
  796. * @property {Object} result The raw result returned from MongoDB. Will vary depending on server version.
  797. * @property {Number} result.ok Is 1 if the command executed correctly.
  798. * @property {Number} result.n The total count of documents deleted.
  799. * @property {Object} connection The connection object used for the operation.
  800. * @property {Number} deletedCount The number of documents deleted.
  801. */
  802. /**
  803. * The callback format for deletes
  804. * @callback Collection~deleteWriteOpCallback
  805. * @param {MongoError} error An error instance representing the error during the execution.
  806. * @param {Collection~deleteWriteOpResult} result The result object if the command was executed successfully.
  807. */
  808. /**
  809. * Delete a document from a collection
  810. * @method
  811. * @param {object} filter The Filter used to select the document to remove
  812. * @param {object} [options] Optional settings.
  813. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  814. * @param {(number|string)} [options.w] The write concern.
  815. * @param {number} [options.wtimeout] The write concern timeout.
  816. * @param {boolean} [options.j=false] Specify a journal write concern.
  817. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  818. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  819. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  820. * @param {ClientSession} [options.session] optional session to use for this operation
  821. * @param {Collection~deleteWriteOpCallback} [callback] The command result callback
  822. * @return {Promise} returns Promise if no callback passed
  823. */
  824. Collection.prototype.deleteOne = function(filter, options, callback) {
  825. if (typeof options === 'function') (callback = options), (options = {});
  826. options = Object.assign({}, options);
  827. // Add ignoreUndefined
  828. if (this.s.options.ignoreUndefined) {
  829. options = Object.assign({}, options);
  830. options.ignoreUndefined = this.s.options.ignoreUndefined;
  831. }
  832. const deleteOneOperation = new DeleteOneOperation(this, filter, options);
  833. return executeOperation(this.s.topology, deleteOneOperation, callback);
  834. };
  835. Collection.prototype.removeOne = Collection.prototype.deleteOne;
  836. /**
  837. * Delete multiple documents from a collection
  838. * @method
  839. * @param {object} filter The Filter used to select the documents to remove
  840. * @param {object} [options] Optional settings.
  841. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  842. * @param {(number|string)} [options.w] The write concern.
  843. * @param {number} [options.wtimeout] The write concern timeout.
  844. * @param {boolean} [options.j=false] Specify a journal write concern.
  845. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  846. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  847. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  848. * @param {ClientSession} [options.session] optional session to use for this operation
  849. * @param {Collection~deleteWriteOpCallback} [callback] The command result callback
  850. * @return {Promise} returns Promise if no callback passed
  851. */
  852. Collection.prototype.deleteMany = function(filter, options, callback) {
  853. if (typeof options === 'function') (callback = options), (options = {});
  854. options = Object.assign({}, options);
  855. // Add ignoreUndefined
  856. if (this.s.options.ignoreUndefined) {
  857. options = Object.assign({}, options);
  858. options.ignoreUndefined = this.s.options.ignoreUndefined;
  859. }
  860. const deleteManyOperation = new DeleteManyOperation(this, filter, options);
  861. return executeOperation(this.s.topology, deleteManyOperation, callback);
  862. };
  863. Collection.prototype.removeMany = Collection.prototype.deleteMany;
  864. /**
  865. * Remove documents.
  866. * @method
  867. * @param {object} selector The selector for the update operation.
  868. * @param {object} [options] Optional settings.
  869. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  870. * @param {(number|string)} [options.w] The write concern.
  871. * @param {number} [options.wtimeout] The write concern timeout.
  872. * @param {boolean} [options.j=false] Specify a journal write concern.
  873. * @param {boolean} [options.single=false] Removes the first document found.
  874. * @param {ClientSession} [options.session] optional session to use for this operation
  875. * @param {Collection~writeOpCallback} [callback] The command result callback
  876. * @return {Promise} returns Promise if no callback passed
  877. * @deprecated use deleteOne, deleteMany or bulkWrite
  878. */
  879. Collection.prototype.remove = deprecate(function(selector, options, callback) {
  880. if (typeof options === 'function') (callback = options), (options = {});
  881. options = options || {};
  882. // Add ignoreUndefined
  883. if (this.s.options.ignoreUndefined) {
  884. options = Object.assign({}, options);
  885. options.ignoreUndefined = this.s.options.ignoreUndefined;
  886. }
  887. return executeLegacyOperation(this.s.topology, removeDocuments, [
  888. this,
  889. selector,
  890. options,
  891. callback
  892. ]);
  893. }, 'collection.remove is deprecated. Use deleteOne, deleteMany, or bulkWrite instead.');
  894. /**
  895. * Save a document. Simple full document replacement function. Not recommended for efficiency, use atomic
  896. * operators and update instead for more efficient operations.
  897. * @method
  898. * @param {object} doc Document to save
  899. * @param {object} [options] Optional settings.
  900. * @param {(number|string)} [options.w] The write concern.
  901. * @param {number} [options.wtimeout] The write concern timeout.
  902. * @param {boolean} [options.j=false] Specify a journal write concern.
  903. * @param {ClientSession} [options.session] optional session to use for this operation
  904. * @param {Collection~writeOpCallback} [callback] The command result callback
  905. * @return {Promise} returns Promise if no callback passed
  906. * @deprecated use insertOne, insertMany, updateOne or updateMany
  907. */
  908. Collection.prototype.save = deprecate(function(doc, options, callback) {
  909. if (typeof options === 'function') (callback = options), (options = {});
  910. options = options || {};
  911. // Add ignoreUndefined
  912. if (this.s.options.ignoreUndefined) {
  913. options = Object.assign({}, options);
  914. options.ignoreUndefined = this.s.options.ignoreUndefined;
  915. }
  916. return executeLegacyOperation(this.s.topology, save, [this, doc, options, callback]);
  917. }, 'collection.save is deprecated. Use insertOne, insertMany, updateOne, or updateMany instead.');
  918. /**
  919. * The callback format for results
  920. * @callback Collection~resultCallback
  921. * @param {MongoError} error An error instance representing the error during the execution.
  922. * @param {object} result The result object if the command was executed successfully.
  923. */
  924. /**
  925. * The callback format for an aggregation call
  926. * @callback Collection~aggregationCallback
  927. * @param {MongoError} error An error instance representing the error during the execution.
  928. * @param {AggregationCursor} cursor The cursor if the aggregation command was executed successfully.
  929. */
  930. /**
  931. * Fetches the first document that matches the query
  932. * @method
  933. * @param {object} query Query for find Operation
  934. * @param {object} [options] Optional settings.
  935. * @param {number} [options.limit=0] Sets the limit of documents returned in the query.
  936. * @param {(array|object)} [options.sort] Set to sort the documents coming back from the query. Array of indexes, [['a', 1]] etc.
  937. * @param {object} [options.projection] The fields to return in the query. Object of fields to include or exclude (not both), {'a':1}
  938. * @param {object} [options.fields] **Deprecated** Use `options.projection` instead
  939. * @param {number} [options.skip=0] Set to skip N documents ahead in your query (useful for pagination).
  940. * @param {Object} [options.hint] Tell the query to use specific indexes in the query. Object of indexes to use, {'_id':1}
  941. * @param {boolean} [options.explain=false] Explain the query instead of returning the data.
  942. * @param {boolean} [options.snapshot=false] DEPRECATED: Snapshot query.
  943. * @param {boolean} [options.timeout=false] Specify if the cursor can timeout.
  944. * @param {boolean} [options.tailable=false] Specify if the cursor is tailable.
  945. * @param {number} [options.batchSize=1] Set the batchSize for the getMoreCommand when iterating over the query results.
  946. * @param {boolean} [options.returnKey=false] Only return the index key.
  947. * @param {number} [options.maxScan] DEPRECATED: Limit the number of items to scan.
  948. * @param {number} [options.min] Set index bounds.
  949. * @param {number} [options.max] Set index bounds.
  950. * @param {boolean} [options.showDiskLoc=false] Show disk location of results.
  951. * @param {string} [options.comment] You can put a $comment field on a query to make looking in the profiler logs simpler.
  952. * @param {boolean} [options.raw=false] Return document results as raw BSON buffers.
  953. * @param {boolean} [options.promoteLongs=true] Promotes Long values to number if they fit inside the 53 bits resolution.
  954. * @param {boolean} [options.promoteValues=true] Promotes BSON values to native types where possible, set to false to only receive wrapper types.
  955. * @param {boolean} [options.promoteBuffers=false] Promotes Binary BSON values to native Node Buffers.
  956. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  957. * @param {boolean} [options.partial=false] Specify if the cursor should return partial results when querying against a sharded system
  958. * @param {number} [options.maxTimeMS] Number of milliseconds to wait before aborting the query.
  959. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  960. * @param {ClientSession} [options.session] optional session to use for this operation
  961. * @param {Collection~resultCallback} [callback] The command result callback
  962. * @return {Promise} returns Promise if no callback passed
  963. */
  964. Collection.prototype.findOne = deprecateOptions(
  965. {
  966. name: 'collection.find',
  967. deprecatedOptions: DEPRECATED_FIND_OPTIONS,
  968. optionsIndex: 1
  969. },
  970. function(query, options, callback) {
  971. if (typeof callback === 'object') {
  972. // TODO(MAJOR): throw in the future
  973. console.warn('Third parameter to `findOne()` must be a callback or undefined');
  974. }
  975. if (typeof query === 'function') (callback = query), (query = {}), (options = {});
  976. if (typeof options === 'function') (callback = options), (options = {});
  977. query = query || {};
  978. options = options || {};
  979. const findOneOperation = new FindOneOperation(this, query, options);
  980. return executeOperation(this.s.topology, findOneOperation, callback);
  981. }
  982. );
  983. /**
  984. * The callback format for the collection method, must be used if strict is specified
  985. * @callback Collection~collectionResultCallback
  986. * @param {MongoError} error An error instance representing the error during the execution.
  987. * @param {Collection} collection The collection instance.
  988. */
  989. /**
  990. * Rename the collection.
  991. *
  992. * @method
  993. * @param {string} newName New name of of the collection.
  994. * @param {object} [options] Optional settings.
  995. * @param {boolean} [options.dropTarget=false] Drop the target name collection if it previously exists.
  996. * @param {ClientSession} [options.session] optional session to use for this operation
  997. * @param {Collection~collectionResultCallback} [callback] The results callback
  998. * @return {Promise} returns Promise if no callback passed
  999. */
  1000. Collection.prototype.rename = function(newName, options, callback) {
  1001. if (typeof options === 'function') (callback = options), (options = {});
  1002. options = Object.assign({}, options, { readPreference: ReadPreference.PRIMARY });
  1003. const renameOperation = new RenameOperation(this, newName, options);
  1004. return executeOperation(this.s.topology, renameOperation, callback);
  1005. };
  1006. /**
  1007. * Drop the collection from the database, removing it permanently. New accesses will create a new collection.
  1008. *
  1009. * @method
  1010. * @param {object} [options] Optional settings.
  1011. * @param {WriteConcern} [options.writeConcern] A full WriteConcern object
  1012. * @param {(number|string)} [options.w] The write concern
  1013. * @param {number} [options.wtimeout] The write concern timeout
  1014. * @param {boolean} [options.j] The journal write concern
  1015. * @param {ClientSession} [options.session] optional session to use for this operation
  1016. * @param {Collection~resultCallback} [callback] The results callback
  1017. * @return {Promise} returns Promise if no callback passed
  1018. */
  1019. Collection.prototype.drop = function(options, callback) {
  1020. if (typeof options === 'function') (callback = options), (options = {});
  1021. options = options || {};
  1022. const dropCollectionOperation = new DropCollectionOperation(
  1023. this.s.db,
  1024. this.collectionName,
  1025. options
  1026. );
  1027. return executeOperation(this.s.topology, dropCollectionOperation, callback);
  1028. };
  1029. /**
  1030. * Returns the options of the collection.
  1031. *
  1032. * @method
  1033. * @param {Object} [options] Optional settings
  1034. * @param {ClientSession} [options.session] optional session to use for this operation
  1035. * @param {Collection~resultCallback} [callback] The results callback
  1036. * @return {Promise} returns Promise if no callback passed
  1037. */
  1038. Collection.prototype.options = function(opts, callback) {
  1039. if (typeof opts === 'function') (callback = opts), (opts = {});
  1040. opts = opts || {};
  1041. const optionsOperation = new OptionsOperation(this, opts);
  1042. return executeOperation(this.s.topology, optionsOperation, callback);
  1043. };
  1044. /**
  1045. * Returns if the collection is a capped collection
  1046. *
  1047. * @method
  1048. * @param {Object} [options] Optional settings
  1049. * @param {ClientSession} [options.session] optional session to use for this operation
  1050. * @param {Collection~resultCallback} [callback] The results callback
  1051. * @return {Promise} returns Promise if no callback passed
  1052. */
  1053. Collection.prototype.isCapped = function(options, callback) {
  1054. if (typeof options === 'function') (callback = options), (options = {});
  1055. options = options || {};
  1056. const isCappedOperation = new IsCappedOperation(this, options);
  1057. return executeOperation(this.s.topology, isCappedOperation, callback);
  1058. };
  1059. /**
  1060. * Creates an index on the db and collection collection.
  1061. * @method
  1062. * @param {(string|array|object)} fieldOrSpec Defines the index.
  1063. * @param {object} [options] Optional settings.
  1064. * @param {(number|string)} [options.w] The write concern.
  1065. * @param {number} [options.wtimeout] The write concern timeout.
  1066. * @param {boolean} [options.j=false] Specify a journal write concern.
  1067. * @param {boolean} [options.unique=false] Creates an unique index.
  1068. * @param {boolean} [options.sparse=false] Creates a sparse index.
  1069. * @param {boolean} [options.background=false] Creates the index in the background, yielding whenever possible.
  1070. * @param {boolean} [options.dropDups=false] A unique index cannot be created on a key that has pre-existing duplicate values. If you would like to create the index anyway, keeping the first document the database indexes and deleting all subsequent documents that have duplicate value
  1071. * @param {number} [options.min] For geospatial indexes set the lower bound for the co-ordinates.
  1072. * @param {number} [options.max] For geospatial indexes set the high bound for the co-ordinates.
  1073. * @param {number} [options.v] Specify the format version of the indexes.
  1074. * @param {number} [options.expireAfterSeconds] Allows you to expire data on indexes applied to a data (MongoDB 2.2 or higher)
  1075. * @param {string} [options.name] Override the autogenerated index name (useful if the resulting name is larger than 128 bytes)
  1076. * @param {object} [options.partialFilterExpression] Creates a partial index based on the given filter object (MongoDB 3.2 or higher)
  1077. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  1078. * @param {ClientSession} [options.session] optional session to use for this operation
  1079. * @param {Collection~resultCallback} [callback] The command result callback
  1080. * @return {Promise} returns Promise if no callback passed
  1081. * @example
  1082. * const collection = client.db('foo').collection('bar');
  1083. *
  1084. * await collection.createIndex({ a: 1, b: -1 });
  1085. *
  1086. * // Alternate syntax for { c: 1, d: -1 } that ensures order of indexes
  1087. * await collection.createIndex([ [c, 1], [d, -1] ]);
  1088. *
  1089. * // Equivalent to { e: 1 }
  1090. * await collection.createIndex('e');
  1091. *
  1092. * // Equivalent to { f: 1, g: 1 }
  1093. * await collection.createIndex(['f', 'g'])
  1094. *
  1095. * // Equivalent to { h: 1, i: -1 }
  1096. * await collection.createIndex([ { h: 1 }, { i: -1 } ]);
  1097. *
  1098. * // Equivalent to { j: 1, k: -1, l: 2d }
  1099. * await collection.createIndex(['j', ['k', -1], { l: '2d' }])
  1100. */
  1101. Collection.prototype.createIndex = function(fieldOrSpec, options, callback) {
  1102. if (typeof options === 'function') (callback = options), (options = {});
  1103. options = options || {};
  1104. const createIndexOperation = new CreateIndexOperation(
  1105. this.s.db,
  1106. this.collectionName,
  1107. fieldOrSpec,
  1108. options
  1109. );
  1110. return executeOperation(this.s.topology, createIndexOperation, callback);
  1111. };
  1112. /**
  1113. * @typedef {object} Collection~IndexDefinition
  1114. * @description A definition for an index. Used by the createIndex command.
  1115. * @see https://www.mongodb.com/docs/manual/reference/command/createIndexes/
  1116. */
  1117. /**
  1118. * Creates multiple indexes in the collection, this method is only supported for
  1119. * MongoDB 2.6 or higher. Earlier version of MongoDB will throw a command not supported
  1120. * error.
  1121. *
  1122. * **Note**: Unlike {@link Collection#createIndex createIndex}, this function takes in raw index specifications.
  1123. * Index specifications are defined {@link https://www.mongodb.com/docs/manual/reference/command/createIndexes/ here}.
  1124. *
  1125. * @method
  1126. * @param {Collection~IndexDefinition[]} indexSpecs An array of index specifications to be created
  1127. * @param {Object} [options] Optional settings
  1128. * @param {ClientSession} [options.session] optional session to use for this operation
  1129. * @param {Collection~resultCallback} [callback] The command result callback
  1130. * @return {Promise} returns Promise if no callback passed
  1131. * @example
  1132. * const collection = client.db('foo').collection('bar');
  1133. * await collection.createIndexes([
  1134. * // Simple index on field fizz
  1135. * {
  1136. * key: { fizz: 1 },
  1137. * }
  1138. * // wildcard index
  1139. * {
  1140. * key: { '$**': 1 }
  1141. * },
  1142. * // named index on darmok and jalad
  1143. * {
  1144. * key: { darmok: 1, jalad: -1 }
  1145. * name: 'tanagra'
  1146. * }
  1147. * ]);
  1148. */
  1149. Collection.prototype.createIndexes = function(indexSpecs, options, callback) {
  1150. if (typeof options === 'function') (callback = options), (options = {});
  1151. options = options ? Object.assign({}, options) : {};
  1152. if (typeof options.maxTimeMS !== 'number') delete options.maxTimeMS;
  1153. const createIndexesOperation = new CreateIndexesOperation(this, indexSpecs, options);
  1154. return executeOperation(this.s.topology, createIndexesOperation, callback);
  1155. };
  1156. /**
  1157. * Drops an index from this collection.
  1158. * @method
  1159. * @param {string} indexName Name of the index to drop.
  1160. * @param {object} [options] Optional settings.
  1161. * @param {(number|string)} [options.w] The write concern.
  1162. * @param {number} [options.wtimeout] The write concern timeout.
  1163. * @param {boolean} [options.j=false] Specify a journal write concern.
  1164. * @param {ClientSession} [options.session] optional session to use for this operation
  1165. * @param {number} [options.maxTimeMS] Number of milliseconds to wait before aborting the query.
  1166. * @param {Collection~resultCallback} [callback] The command result callback
  1167. * @return {Promise} returns Promise if no callback passed
  1168. */
  1169. Collection.prototype.dropIndex = function(indexName, options, callback) {
  1170. const args = Array.prototype.slice.call(arguments, 1);
  1171. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1172. options = args.length ? args.shift() || {} : {};
  1173. // Run only against primary
  1174. options.readPreference = ReadPreference.PRIMARY;
  1175. const dropIndexOperation = new DropIndexOperation(this, indexName, options);
  1176. return executeOperation(this.s.topology, dropIndexOperation, callback);
  1177. };
  1178. /**
  1179. * Drops all indexes from this collection.
  1180. * @method
  1181. * @param {Object} [options] Optional settings
  1182. * @param {ClientSession} [options.session] optional session to use for this operation
  1183. * @param {number} [options.maxTimeMS] Number of milliseconds to wait before aborting the query.
  1184. * @param {Collection~resultCallback} [callback] The command result callback
  1185. * @return {Promise} returns Promise if no callback passed
  1186. */
  1187. Collection.prototype.dropIndexes = function(options, callback) {
  1188. if (typeof options === 'function') (callback = options), (options = {});
  1189. options = options ? Object.assign({}, options) : {};
  1190. if (typeof options.maxTimeMS !== 'number') delete options.maxTimeMS;
  1191. const dropIndexesOperation = new DropIndexesOperation(this, options);
  1192. return executeOperation(this.s.topology, dropIndexesOperation, callback);
  1193. };
  1194. /**
  1195. * Drops all indexes from this collection.
  1196. * @method
  1197. * @deprecated use dropIndexes
  1198. * @param {Collection~resultCallback} callback The command result callback
  1199. * @return {Promise} returns Promise if no [callback] passed
  1200. */
  1201. Collection.prototype.dropAllIndexes = deprecate(
  1202. Collection.prototype.dropIndexes,
  1203. 'collection.dropAllIndexes is deprecated. Use dropIndexes instead.'
  1204. );
  1205. /**
  1206. * Reindex all indexes on the collection
  1207. * Warning: reIndex is a blocking operation (indexes are rebuilt in the foreground) and will be slow for large collections.
  1208. * @method
  1209. * @param {Object} [options] Optional settings
  1210. * @param {ClientSession} [options.session] optional session to use for this operation
  1211. * @param {Collection~resultCallback} [callback] The command result callback
  1212. * @return {Promise} returns Promise if no callback passed
  1213. */
  1214. Collection.prototype.reIndex = function(options, callback) {
  1215. if (typeof options === 'function') (callback = options), (options = {});
  1216. options = options || {};
  1217. const reIndexOperation = new ReIndexOperation(this, options);
  1218. return executeOperation(this.s.topology, reIndexOperation, callback);
  1219. };
  1220. /**
  1221. * Get the list of all indexes information for the collection.
  1222. *
  1223. * @method
  1224. * @param {object} [options] Optional settings.
  1225. * @param {number} [options.batchSize=1000] The batchSize for the returned command cursor or if pre 2.8 the systems batch collection
  1226. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1227. * @param {ClientSession} [options.session] optional session to use for this operation
  1228. * @return {CommandCursor}
  1229. */
  1230. Collection.prototype.listIndexes = function(options) {
  1231. const cursor = new CommandCursor(
  1232. this.s.topology,
  1233. new ListIndexesOperation(this, options),
  1234. options
  1235. );
  1236. return cursor;
  1237. };
  1238. /**
  1239. * Ensures that an index exists, if it does not it creates it
  1240. * @method
  1241. * @deprecated use createIndexes instead
  1242. * @param {(string|object)} fieldOrSpec Defines the index.
  1243. * @param {object} [options] Optional settings.
  1244. * @param {(number|string)} [options.w] The write concern.
  1245. * @param {number} [options.wtimeout] The write concern timeout.
  1246. * @param {boolean} [options.j=false] Specify a journal write concern.
  1247. * @param {boolean} [options.unique=false] Creates an unique index.
  1248. * @param {boolean} [options.sparse=false] Creates a sparse index.
  1249. * @param {boolean} [options.background=false] Creates the index in the background, yielding whenever possible.
  1250. * @param {boolean} [options.dropDups=false] A unique index cannot be created on a key that has pre-existing duplicate values. If you would like to create the index anyway, keeping the first document the database indexes and deleting all subsequent documents that have duplicate value
  1251. * @param {number} [options.min] For geospatial indexes set the lower bound for the co-ordinates.
  1252. * @param {number} [options.max] For geospatial indexes set the high bound for the co-ordinates.
  1253. * @param {number} [options.v] Specify the format version of the indexes.
  1254. * @param {number} [options.expireAfterSeconds] Allows you to expire data on indexes applied to a data (MongoDB 2.2 or higher)
  1255. * @param {number} [options.name] Override the autogenerated index name (useful if the resulting name is larger than 128 bytes)
  1256. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  1257. * @param {ClientSession} [options.session] optional session to use for this operation
  1258. * @param {Collection~resultCallback} [callback] The command result callback
  1259. * @return {Promise} returns Promise if no callback passed
  1260. */
  1261. Collection.prototype.ensureIndex = deprecate(function(fieldOrSpec, options, callback) {
  1262. if (typeof options === 'function') (callback = options), (options = {});
  1263. options = options || {};
  1264. return executeLegacyOperation(this.s.topology, ensureIndex, [
  1265. this,
  1266. fieldOrSpec,
  1267. options,
  1268. callback
  1269. ]);
  1270. }, 'collection.ensureIndex is deprecated. Use createIndexes instead.');
  1271. /**
  1272. * Checks if one or more indexes exist on the collection, fails on first non-existing index
  1273. * @method
  1274. * @param {(string|array)} indexes One or more index names to check.
  1275. * @param {Object} [options] Optional settings
  1276. * @param {ClientSession} [options.session] optional session to use for this operation
  1277. * @param {Collection~resultCallback} [callback] The command result callback
  1278. * @return {Promise} returns Promise if no callback passed
  1279. */
  1280. Collection.prototype.indexExists = function(indexes, options, callback) {
  1281. if (typeof options === 'function') (callback = options), (options = {});
  1282. options = options || {};
  1283. const indexExistsOperation = new IndexExistsOperation(this, indexes, options);
  1284. return executeOperation(this.s.topology, indexExistsOperation, callback);
  1285. };
  1286. /**
  1287. * Retrieves this collections index info.
  1288. * @method
  1289. * @param {object} [options] Optional settings.
  1290. * @param {boolean} [options.full=false] Returns the full raw index information.
  1291. * @param {ClientSession} [options.session] optional session to use for this operation
  1292. * @param {Collection~resultCallback} [callback] The command result callback
  1293. * @return {Promise} returns Promise if no callback passed
  1294. */
  1295. Collection.prototype.indexInformation = function(options, callback) {
  1296. const args = Array.prototype.slice.call(arguments, 0);
  1297. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1298. options = args.length ? args.shift() || {} : {};
  1299. const indexInformationOperation = new IndexInformationOperation(
  1300. this.s.db,
  1301. this.collectionName,
  1302. options
  1303. );
  1304. return executeOperation(this.s.topology, indexInformationOperation, callback);
  1305. };
  1306. /**
  1307. * The callback format for results
  1308. * @callback Collection~countCallback
  1309. * @param {MongoError} error An error instance representing the error during the execution.
  1310. * @param {number} result The count of documents that matched the query.
  1311. */
  1312. /**
  1313. * An estimated count of matching documents in the db to a query.
  1314. *
  1315. * **NOTE:** This method has been deprecated, since it does not provide an accurate count of the documents
  1316. * in a collection. To obtain an accurate count of documents in the collection, use {@link Collection#countDocuments countDocuments}.
  1317. * To obtain an estimated count of all documents in the collection, use {@link Collection#estimatedDocumentCount estimatedDocumentCount}.
  1318. *
  1319. * @method
  1320. * @param {object} [query={}] The query for the count.
  1321. * @param {object} [options] Optional settings.
  1322. * @param {object} [options.collation] Specify collation settings for operation. See {@link https://www.mongodb.com/docs/manual/reference/command/aggregate|aggregation documentation}.
  1323. * @param {boolean} [options.limit] The limit of documents to count.
  1324. * @param {boolean} [options.skip] The number of documents to skip for the count.
  1325. * @param {string} [options.hint] An index name hint for the query.
  1326. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1327. * @param {number} [options.maxTimeMS] Number of milliseconds to wait before aborting the query.
  1328. * @param {ClientSession} [options.session] optional session to use for this operation
  1329. * @param {Collection~countCallback} [callback] The command result callback
  1330. * @return {Promise} returns Promise if no callback passed
  1331. * @deprecated use {@link Collection#countDocuments countDocuments} or {@link Collection#estimatedDocumentCount estimatedDocumentCount} instead
  1332. */
  1333. Collection.prototype.count = deprecate(function(query, options, callback) {
  1334. const args = Array.prototype.slice.call(arguments, 0);
  1335. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1336. query = args.length ? args.shift() || {} : {};
  1337. options = args.length ? args.shift() || {} : {};
  1338. if (typeof options === 'function') (callback = options), (options = {});
  1339. options = options || {};
  1340. return executeOperation(
  1341. this.s.topology,
  1342. new EstimatedDocumentCountOperation(this, query, options),
  1343. callback
  1344. );
  1345. }, 'collection.count is deprecated, and will be removed in a future version.' +
  1346. ' Use Collection.countDocuments or Collection.estimatedDocumentCount instead');
  1347. /**
  1348. * Gets an estimate of the count of documents in a collection using collection metadata.
  1349. *
  1350. * @method
  1351. * @param {object} [options] Optional settings.
  1352. * @param {number} [options.maxTimeMS] The maximum amount of time to allow the operation to run.
  1353. * @param {Collection~countCallback} [callback] The command result callback.
  1354. * @return {Promise} returns Promise if no callback passed.
  1355. */
  1356. Collection.prototype.estimatedDocumentCount = function(options, callback) {
  1357. if (typeof options === 'function') (callback = options), (options = {});
  1358. options = options || {};
  1359. const estimatedDocumentCountOperation = new EstimatedDocumentCountOperation(this, options);
  1360. return executeOperation(this.s.topology, estimatedDocumentCountOperation, callback);
  1361. };
  1362. /**
  1363. * Gets the number of documents matching the filter.
  1364. * For a fast count of the total documents in a collection see {@link Collection#estimatedDocumentCount estimatedDocumentCount}.
  1365. * **Note**: When migrating from {@link Collection#count count} to {@link Collection#countDocuments countDocuments}
  1366. * the following query operators must be replaced:
  1367. *
  1368. * | Operator | Replacement |
  1369. * | -------- | ----------- |
  1370. * | `$where` | [`$expr`][1] |
  1371. * | `$near` | [`$geoWithin`][2] with [`$center`][3] |
  1372. * | `$nearSphere` | [`$geoWithin`][2] with [`$centerSphere`][4] |
  1373. *
  1374. * [1]: https://www.mongodb.com/docs/manual/reference/operator/query/expr/
  1375. * [2]: https://www.mongodb.com/docs/manual/reference/operator/query/geoWithin/
  1376. * [3]: https://www.mongodb.com/docs/manual/reference/operator/query/center/#op._S_center
  1377. * [4]: https://www.mongodb.com/docs/manual/reference/operator/query/centerSphere/#op._S_centerSphere
  1378. *
  1379. * @param {object} [query] the query for the count
  1380. * @param {object} [options] Optional settings.
  1381. * @param {object} [options.collation] Specifies a collation.
  1382. * @param {string|object} [options.hint] The index to use.
  1383. * @param {number} [options.limit] The maximum number of document to count.
  1384. * @param {number} [options.maxTimeMS] The maximum amount of time to allow the operation to run.
  1385. * @param {number} [options.skip] The number of documents to skip before counting.
  1386. * @param {Collection~countCallback} [callback] The command result callback.
  1387. * @return {Promise} returns Promise if no callback passed.
  1388. * @see https://www.mongodb.com/docs/manual/reference/operator/query/expr/
  1389. * @see https://www.mongodb.com/docs/manual/reference/operator/query/geoWithin/
  1390. * @see https://www.mongodb.com/docs/manual/reference/operator/query/center/#op._S_center
  1391. * @see https://www.mongodb.com/docs/manual/reference/operator/query/centerSphere/#op._S_centerSphere
  1392. */
  1393. Collection.prototype.countDocuments = function(query, options, callback) {
  1394. const args = Array.prototype.slice.call(arguments, 0);
  1395. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1396. query = args.length ? args.shift() || {} : {};
  1397. options = args.length ? args.shift() || {} : {};
  1398. const countDocumentsOperation = new CountDocumentsOperation(this, query, options);
  1399. return executeOperation(this.s.topology, countDocumentsOperation, callback);
  1400. };
  1401. /**
  1402. * The distinct command returns a list of distinct values for the given key across a collection.
  1403. * @method
  1404. * @param {string} key Field of the document to find distinct values for.
  1405. * @param {object} [query] The query for filtering the set of documents to which we apply the distinct filter.
  1406. * @param {object} [options] Optional settings.
  1407. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1408. * @param {number} [options.maxTimeMS] Number of milliseconds to wait before aborting the query.
  1409. * @param {object} [options.collation] Specify collation settings for operation. See {@link https://www.mongodb.com/docs/manual/reference/command/aggregate|aggregation documentation}.
  1410. * @param {ClientSession} [options.session] optional session to use for this operation
  1411. * @param {Collection~resultCallback} [callback] The command result callback
  1412. * @return {Promise} returns Promise if no callback passed
  1413. */
  1414. Collection.prototype.distinct = function(key, query, options, callback) {
  1415. const args = Array.prototype.slice.call(arguments, 1);
  1416. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1417. const queryOption = args.length ? args.shift() || {} : {};
  1418. const optionsOption = args.length ? args.shift() || {} : {};
  1419. const distinctOperation = new DistinctOperation(this, key, queryOption, optionsOption);
  1420. return executeOperation(this.s.topology, distinctOperation, callback);
  1421. };
  1422. /**
  1423. * Retrieve all the indexes on the collection.
  1424. * @method
  1425. * @param {Object} [options] Optional settings
  1426. * @param {ClientSession} [options.session] optional session to use for this operation
  1427. * @param {Collection~resultCallback} [callback] The command result callback
  1428. * @return {Promise} returns Promise if no callback passed
  1429. */
  1430. Collection.prototype.indexes = function(options, callback) {
  1431. if (typeof options === 'function') (callback = options), (options = {});
  1432. options = options || {};
  1433. const indexesOperation = new IndexesOperation(this, options);
  1434. return executeOperation(this.s.topology, indexesOperation, callback);
  1435. };
  1436. /**
  1437. * Get all the collection statistics.
  1438. *
  1439. * @method
  1440. * @param {object} [options] Optional settings.
  1441. * @param {number} [options.scale] Divide the returned sizes by scale value.
  1442. * @param {ClientSession} [options.session] optional session to use for this operation
  1443. * @param {Collection~resultCallback} [callback] The collection result callback
  1444. * @return {Promise} returns Promise if no callback passed
  1445. */
  1446. Collection.prototype.stats = function(options, callback) {
  1447. const args = Array.prototype.slice.call(arguments, 0);
  1448. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1449. options = args.length ? args.shift() || {} : {};
  1450. const statsOperation = new StatsOperation(this, options);
  1451. return executeOperation(this.s.topology, statsOperation, callback);
  1452. };
  1453. /**
  1454. * @typedef {Object} Collection~findAndModifyWriteOpResult
  1455. * @property {object} value Document returned from the `findAndModify` command. If no documents were found, `value` will be `null` by default (`returnOriginal: true`), even if a document was upserted; if `returnOriginal` was false, the upserted document will be returned in that case.
  1456. * @property {object} lastErrorObject The raw lastErrorObject returned from the command. See {@link https://www.mongodb.com/docs/manual/reference/command/findAndModify/index.html#lasterrorobject|findAndModify command documentation}.
  1457. * @property {Number} ok Is 1 if the command executed correctly.
  1458. */
  1459. /**
  1460. * The callback format for inserts
  1461. * @callback Collection~findAndModifyCallback
  1462. * @param {MongoError} error An error instance representing the error during the execution.
  1463. * @param {Collection~findAndModifyWriteOpResult} result The result object if the command was executed successfully.
  1464. */
  1465. /**
  1466. * Find a document and delete it in one atomic operation. Requires a write lock for the duration of the operation.
  1467. *
  1468. * @method
  1469. * @param {object} filter The Filter used to select the document to remove
  1470. * @param {object} [options] Optional settings.
  1471. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  1472. * @param {object} [options.projection] Limits the fields to return for all matching documents.
  1473. * @param {object} [options.sort] Determines which document the operation modifies if the query selects multiple documents.
  1474. * @param {number} [options.maxTimeMS] The maximum amount of time to allow the query to run.
  1475. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  1476. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  1477. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  1478. * @param {ClientSession} [options.session] optional session to use for this operation
  1479. * @param {Collection~findAndModifyCallback} [callback] The collection result callback
  1480. * @return {Promise<Collection~findAndModifyWriteOpResultObject>} returns Promise if no callback passed
  1481. */
  1482. Collection.prototype.findOneAndDelete = function(filter, options, callback) {
  1483. if (typeof options === 'function') (callback = options), (options = {});
  1484. options = options || {};
  1485. // Basic validation
  1486. if (filter == null || typeof filter !== 'object')
  1487. throw toError('filter parameter must be an object');
  1488. const findOneAndDeleteOperation = new FindOneAndDeleteOperation(this, filter, options);
  1489. return executeOperation(this.s.topology, findOneAndDeleteOperation, callback);
  1490. };
  1491. /**
  1492. * Find a document and replace it in one atomic operation. Requires a write lock for the duration of the operation.
  1493. *
  1494. * @method
  1495. * @param {object} filter The Filter used to select the document to replace
  1496. * @param {object} replacement The Document that replaces the matching document
  1497. * @param {object} [options] Optional settings.
  1498. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  1499. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  1500. * @param {number} [options.maxTimeMS] The maximum amount of time to allow the query to run.
  1501. * @param {object} [options.projection] Limits the fields to return for all matching documents.
  1502. * @param {object} [options.sort] Determines which document the operation modifies if the query selects multiple documents.
  1503. * @param {boolean} [options.upsert=false] Upsert the document if it does not exist.
  1504. * @param {boolean} [options.returnOriginal=true] When false, returns the updated document rather than the original. The default is true.
  1505. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  1506. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  1507. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  1508. * @param {ClientSession} [options.session] optional session to use for this operation
  1509. * @param {Collection~findAndModifyCallback} [callback] The collection result callback
  1510. * @return {Promise<Collection~findAndModifyWriteOpResultObject>} returns Promise if no callback passed
  1511. */
  1512. Collection.prototype.findOneAndReplace = function(filter, replacement, options, callback) {
  1513. if (typeof options === 'function') (callback = options), (options = {});
  1514. options = options || {};
  1515. // Basic validation
  1516. if (filter == null || typeof filter !== 'object')
  1517. throw toError('filter parameter must be an object');
  1518. if (replacement == null || typeof replacement !== 'object')
  1519. throw toError('replacement parameter must be an object');
  1520. // Check that there are no atomic operators
  1521. const keys = Object.keys(replacement);
  1522. if (keys[0] && keys[0][0] === '$') {
  1523. throw toError('The replacement document must not contain atomic operators.');
  1524. }
  1525. const findOneAndReplaceOperation = new FindOneAndReplaceOperation(
  1526. this,
  1527. filter,
  1528. replacement,
  1529. options
  1530. );
  1531. return executeOperation(this.s.topology, findOneAndReplaceOperation, callback);
  1532. };
  1533. /**
  1534. * Find a document and update it in one atomic operation. Requires a write lock for the duration of the operation.
  1535. *
  1536. * @method
  1537. * @param {object} filter The Filter used to select the document to update
  1538. * @param {object} update Update operations to be performed on the document
  1539. * @param {object} [options] Optional settings.
  1540. * @param {Array} [options.arrayFilters] optional list of array filters referenced in filtered positional operators
  1541. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  1542. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  1543. * @param {number} [options.maxTimeMS] The maximum amount of time to allow the query to run.
  1544. * @param {object} [options.projection] Limits the fields to return for all matching documents.
  1545. * @param {object} [options.sort] Determines which document the operation modifies if the query selects multiple documents.
  1546. * @param {boolean} [options.upsert=false] Upsert the document if it does not exist.
  1547. * @param {boolean} [options.returnOriginal=true] When false, returns the updated document rather than the original. The default is true.
  1548. * @param {boolean} [options.checkKeys=false] If true, will throw if bson documents start with `$` or include a `.` in any key value
  1549. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object.
  1550. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  1551. * @param {ClientSession} [options.session] optional session to use for this operation
  1552. * @param {Collection~findAndModifyCallback} [callback] The collection result callback
  1553. * @return {Promise<Collection~findAndModifyWriteOpResultObject>} returns Promise if no callback passed
  1554. */
  1555. Collection.prototype.findOneAndUpdate = function(filter, update, options, callback) {
  1556. if (typeof options === 'function') (callback = options), (options = {});
  1557. options = options || {};
  1558. // Basic validation
  1559. if (filter == null || typeof filter !== 'object')
  1560. throw toError('filter parameter must be an object');
  1561. if (update == null || typeof update !== 'object')
  1562. throw toError('update parameter must be an object');
  1563. const err = checkForAtomicOperators(update);
  1564. if (err) {
  1565. if (typeof callback === 'function') return callback(err);
  1566. return this.s.promiseLibrary.reject(err);
  1567. }
  1568. const findOneAndUpdateOperation = new FindOneAndUpdateOperation(this, filter, update, options);
  1569. return executeOperation(this.s.topology, findOneAndUpdateOperation, callback);
  1570. };
  1571. /**
  1572. * Find and update a document.
  1573. * @method
  1574. * @param {object} query Query object to locate the object to modify.
  1575. * @param {array} sort If multiple docs match, choose the first one in the specified sort order as the object to manipulate.
  1576. * @param {object} doc The fields/vals to be updated.
  1577. * @param {object} [options] Optional settings.
  1578. * @param {(number|string)} [options.w] The write concern.
  1579. * @param {number} [options.wtimeout] The write concern timeout.
  1580. * @param {boolean} [options.j=false] Specify a journal write concern.
  1581. * @param {boolean} [options.remove=false] Set to true to remove the object before returning.
  1582. * @param {boolean} [options.upsert=false] Perform an upsert operation.
  1583. * @param {boolean} [options.new=false] Set to true if you want to return the modified object rather than the original. Ignored for remove.
  1584. * @param {object} [options.projection] Object containing the field projection for the result returned from the operation.
  1585. * @param {object} [options.fields] **Deprecated** Use `options.projection` instead
  1586. * @param {ClientSession} [options.session] optional session to use for this operation
  1587. * @param {Array} [options.arrayFilters] optional list of array filters referenced in filtered positional operators
  1588. * @param {Collection~findAndModifyCallback} [callback] The command result callback
  1589. * @return {Promise} returns Promise if no callback passed
  1590. * @deprecated use findOneAndUpdate, findOneAndReplace or findOneAndDelete instead
  1591. */
  1592. Collection.prototype.findAndModify = deprecate(
  1593. _findAndModify,
  1594. 'collection.findAndModify is deprecated. Use findOneAndUpdate, findOneAndReplace or findOneAndDelete instead.'
  1595. );
  1596. /**
  1597. * @ignore
  1598. */
  1599. Collection.prototype._findAndModify = _findAndModify;
  1600. function _findAndModify(query, sort, doc, options, callback) {
  1601. const args = Array.prototype.slice.call(arguments, 1);
  1602. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1603. sort = args.length ? args.shift() || [] : [];
  1604. doc = args.length ? args.shift() : null;
  1605. options = args.length ? args.shift() || {} : {};
  1606. // Clone options
  1607. options = Object.assign({}, options);
  1608. // Force read preference primary
  1609. options.readPreference = ReadPreference.PRIMARY;
  1610. return executeOperation(
  1611. this.s.topology,
  1612. new FindAndModifyOperation(this, query, sort, doc, options),
  1613. callback
  1614. );
  1615. }
  1616. /**
  1617. * Find and remove a document.
  1618. * @method
  1619. * @param {object} query Query object to locate the object to modify.
  1620. * @param {array} sort If multiple docs match, choose the first one in the specified sort order as the object to manipulate.
  1621. * @param {object} [options] Optional settings.
  1622. * @param {(number|string)} [options.w] The write concern.
  1623. * @param {number} [options.wtimeout] The write concern timeout.
  1624. * @param {boolean} [options.j=false] Specify a journal write concern.
  1625. * @param {ClientSession} [options.session] optional session to use for this operation
  1626. * @param {Collection~resultCallback} [callback] The command result callback
  1627. * @return {Promise} returns Promise if no callback passed
  1628. * @deprecated use findOneAndDelete instead
  1629. */
  1630. Collection.prototype.findAndRemove = deprecate(function(query, sort, options, callback) {
  1631. const args = Array.prototype.slice.call(arguments, 1);
  1632. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1633. sort = args.length ? args.shift() || [] : [];
  1634. options = args.length ? args.shift() || {} : {};
  1635. // Add the remove option
  1636. options.remove = true;
  1637. return executeOperation(
  1638. this.s.topology,
  1639. new FindAndModifyOperation(this, query, sort, null, options),
  1640. callback
  1641. );
  1642. }, 'collection.findAndRemove is deprecated. Use findOneAndDelete instead.');
  1643. /**
  1644. * Execute an aggregation framework pipeline against the collection, needs MongoDB >= 2.2
  1645. * @method
  1646. * @param {object} [pipeline=[]] Array containing all the aggregation framework commands for the execution.
  1647. * @param {object} [options] Optional settings.
  1648. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1649. * @param {number} [options.batchSize=1000] The number of documents to return per batch. See {@link https://www.mongodb.com/docs/manual/reference/command/aggregate|aggregation documentation}.
  1650. * @param {object} [options.cursor] Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.
  1651. * @param {number} [options.cursor.batchSize=1000] Deprecated. Use `options.batchSize`
  1652. * @param {boolean} [options.explain=false] Explain returns the aggregation execution plan (requires mongodb 2.6 >).
  1653. * @param {boolean} [options.allowDiskUse=false] allowDiskUse lets the server know if it can use disk to store temporary results for the aggregation (requires mongodb 2.6 >).
  1654. * @param {number} [options.maxTimeMS] maxTimeMS specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.
  1655. * @param {number} [options.maxAwaitTimeMS] The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query.
  1656. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  1657. * @param {boolean} [options.raw=false] Return document results as raw BSON buffers.
  1658. * @param {boolean} [options.promoteLongs=true] Promotes Long values to number if they fit inside the 53 bits resolution.
  1659. * @param {boolean} [options.promoteValues=true] Promotes BSON values to native types where possible, set to false to only receive wrapper types.
  1660. * @param {boolean} [options.promoteBuffers=false] Promotes Binary BSON values to native Node Buffers.
  1661. * @param {object} [options.collation] Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  1662. * @param {string} [options.comment] Add a comment to an aggregation command
  1663. * @param {string|object} [options.hint] Add an index selection hint to an aggregation command
  1664. * @param {ClientSession} [options.session] optional session to use for this operation
  1665. * @param {Collection~aggregationCallback} callback The command result callback
  1666. * @return {(null|AggregationCursor)}
  1667. */
  1668. Collection.prototype.aggregate = function(pipeline, options, callback) {
  1669. if (Array.isArray(pipeline)) {
  1670. // Set up callback if one is provided
  1671. if (typeof options === 'function') {
  1672. callback = options;
  1673. options = {};
  1674. }
  1675. // If we have no options or callback we are doing
  1676. // a cursor based aggregation
  1677. if (options == null && callback == null) {
  1678. options = {};
  1679. }
  1680. } else {
  1681. // Aggregation pipeline passed as arguments on the method
  1682. const args = Array.prototype.slice.call(arguments, 0);
  1683. // Get the callback
  1684. callback = args.pop();
  1685. // Get the possible options object
  1686. const opts = args[args.length - 1];
  1687. // If it contains any of the admissible options pop it of the args
  1688. options =
  1689. opts &&
  1690. (opts.readPreference ||
  1691. opts.explain ||
  1692. opts.cursor ||
  1693. opts.out ||
  1694. opts.maxTimeMS ||
  1695. opts.hint ||
  1696. opts.allowDiskUse)
  1697. ? args.pop()
  1698. : {};
  1699. // Left over arguments is the pipeline
  1700. pipeline = args;
  1701. }
  1702. const cursor = new AggregationCursor(
  1703. this.s.topology,
  1704. new AggregateOperation(this, pipeline, options),
  1705. options
  1706. );
  1707. // TODO: remove this when NODE-2074 is resolved
  1708. if (typeof callback === 'function') {
  1709. callback(null, cursor);
  1710. return;
  1711. }
  1712. return cursor;
  1713. };
  1714. /**
  1715. * Create a new Change Stream, watching for new changes (insertions, updates, replacements, deletions, and invalidations) in this collection.
  1716. * @method
  1717. * @since 3.0.0
  1718. * @param {Array} [pipeline] An array of {@link https://www.mongodb.com/docs/manual/reference/operator/aggregation-pipeline/|aggregation pipeline stages} through which to pass change stream documents. This allows for filtering (using $match) and manipulating the change stream documents.
  1719. * @param {object} [options] Optional settings
  1720. * @param {string} [options.fullDocument='default'] Allowed values: ‘default’, ‘updateLookup’. When set to ‘updateLookup’, the change stream will include both a delta describing the changes to the document, as well as a copy of the entire document that was changed from some time after the change occurred.
  1721. * @param {object} [options.resumeAfter] Specifies the logical starting point for the new change stream. This should be the _id field from a previously returned change stream document.
  1722. * @param {number} [options.maxAwaitTimeMS] The maximum amount of time for the server to wait on new documents to satisfy a change stream query
  1723. * @param {number} [options.batchSize=1000] The number of documents to return per batch. See {@link https://www.mongodb.com/docs/manual/reference/command/aggregate|aggregation documentation}.
  1724. * @param {object} [options.collation] Specify collation settings for operation. See {@link https://www.mongodb.com/docs/manual/reference/command/aggregate|aggregation documentation}.
  1725. * @param {ReadPreference} [options.readPreference] The read preference. Defaults to the read preference of the database or collection. See {@link https://www.mongodb.com/docs/manual/reference/read-preference|read preference documentation}.
  1726. * @param {Timestamp} [options.startAtOperationTime] receive change events that occur after the specified timestamp
  1727. * @param {ClientSession} [options.session] optional session to use for this operation
  1728. * @return {ChangeStream} a ChangeStream instance.
  1729. */
  1730. Collection.prototype.watch = function(pipeline, options) {
  1731. pipeline = pipeline || [];
  1732. options = options || {};
  1733. // Allow optionally not specifying a pipeline
  1734. if (!Array.isArray(pipeline)) {
  1735. options = pipeline;
  1736. pipeline = [];
  1737. }
  1738. return new ChangeStream(this, pipeline, options);
  1739. };
  1740. /**
  1741. * The callback format for results
  1742. * @callback Collection~parallelCollectionScanCallback
  1743. * @param {MongoError} error An error instance representing the error during the execution.
  1744. * @param {Cursor[]} cursors A list of cursors returned allowing for parallel reading of collection.
  1745. */
  1746. /**
  1747. * Return N number of parallel cursors for a collection allowing parallel reading of entire collection. There are
  1748. * no ordering guarantees for returned results.
  1749. * @method
  1750. * @param {object} [options] Optional settings.
  1751. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1752. * @param {number} [options.batchSize=1000] Set the batchSize for the getMoreCommand when iterating over the query results.
  1753. * @param {number} [options.numCursors=1] The maximum number of parallel command cursors to return (the number of returned cursors will be in the range 1:numCursors)
  1754. * @param {boolean} [options.raw=false] Return all BSON documents as Raw Buffer documents.
  1755. * @param {Collection~parallelCollectionScanCallback} [callback] The command result callback
  1756. * @return {Promise} returns Promise if no callback passed
  1757. */
  1758. Collection.prototype.parallelCollectionScan = deprecate(function(options, callback) {
  1759. if (typeof options === 'function') (callback = options), (options = { numCursors: 1 });
  1760. // Set number of cursors to 1
  1761. options.numCursors = options.numCursors || 1;
  1762. options.batchSize = options.batchSize || 1000;
  1763. options = Object.assign({}, options);
  1764. // Ensure we have the right read preference inheritance
  1765. options.readPreference = ReadPreference.resolve(this, options);
  1766. // Add a promiseLibrary
  1767. options.promiseLibrary = this.s.promiseLibrary;
  1768. if (options.session) {
  1769. options.session = undefined;
  1770. }
  1771. return executeLegacyOperation(
  1772. this.s.topology,
  1773. parallelCollectionScan,
  1774. [this, options, callback],
  1775. { skipSessions: true }
  1776. );
  1777. }, 'parallelCollectionScan is deprecated in MongoDB v4.1');
  1778. /**
  1779. * Execute a geo search using a geo haystack index on a collection.
  1780. *
  1781. * @method
  1782. * @param {number} x Point to search on the x axis, ensure the indexes are ordered in the same order.
  1783. * @param {number} y Point to search on the y axis, ensure the indexes are ordered in the same order.
  1784. * @param {object} [options] Optional settings.
  1785. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1786. * @param {number} [options.maxDistance] Include results up to maxDistance from the point.
  1787. * @param {object} [options.search] Filter the results by a query.
  1788. * @param {number} [options.limit=false] Max number of results to return.
  1789. * @param {ClientSession} [options.session] optional session to use for this operation
  1790. * @param {Collection~resultCallback} [callback] The command result callback
  1791. * @return {Promise} returns Promise if no callback passed
  1792. */
  1793. Collection.prototype.geoHaystackSearch = function(x, y, options, callback) {
  1794. const args = Array.prototype.slice.call(arguments, 2);
  1795. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1796. options = args.length ? args.shift() || {} : {};
  1797. const geoHaystackSearchOperation = new GeoHaystackSearchOperation(this, x, y, options);
  1798. return executeOperation(this.s.topology, geoHaystackSearchOperation, callback);
  1799. };
  1800. /**
  1801. * Run a group command across a collection
  1802. *
  1803. * @method
  1804. * @param {(object|array|function|code)} keys An object, array or function expressing the keys to group by.
  1805. * @param {object} condition An optional condition that must be true for a row to be considered.
  1806. * @param {object} initial Initial value of the aggregation counter object.
  1807. * @param {(function|Code)} reduce The reduce function aggregates (reduces) the objects iterated
  1808. * @param {(function|Code)} finalize An optional function to be run on each item in the result set just before the item is returned.
  1809. * @param {boolean} command Specify if you wish to run using the internal group command or using eval, default is true.
  1810. * @param {object} [options] Optional settings.
  1811. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1812. * @param {ClientSession} [options.session] optional session to use for this operation
  1813. * @param {Collection~resultCallback} [callback] The command result callback
  1814. * @return {Promise} returns Promise if no callback passed
  1815. * @deprecated MongoDB 3.6 or higher no longer supports the group command. We recommend rewriting using the aggregation framework.
  1816. */
  1817. Collection.prototype.group = deprecate(function(
  1818. keys,
  1819. condition,
  1820. initial,
  1821. reduce,
  1822. finalize,
  1823. command,
  1824. options,
  1825. callback
  1826. ) {
  1827. const args = Array.prototype.slice.call(arguments, 3);
  1828. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  1829. reduce = args.length ? args.shift() : null;
  1830. finalize = args.length ? args.shift() : null;
  1831. command = args.length ? args.shift() : null;
  1832. options = args.length ? args.shift() || {} : {};
  1833. // Make sure we are backward compatible
  1834. if (!(typeof finalize === 'function')) {
  1835. command = finalize;
  1836. finalize = null;
  1837. }
  1838. if (
  1839. !Array.isArray(keys) &&
  1840. keys instanceof Object &&
  1841. typeof keys !== 'function' &&
  1842. !(keys._bsontype === 'Code')
  1843. ) {
  1844. keys = Object.keys(keys);
  1845. }
  1846. if (typeof reduce === 'function') {
  1847. reduce = reduce.toString();
  1848. }
  1849. if (typeof finalize === 'function') {
  1850. finalize = finalize.toString();
  1851. }
  1852. // Set up the command as default
  1853. command = command == null ? true : command;
  1854. return executeLegacyOperation(this.s.topology, group, [
  1855. this,
  1856. keys,
  1857. condition,
  1858. initial,
  1859. reduce,
  1860. finalize,
  1861. command,
  1862. options,
  1863. callback
  1864. ]);
  1865. },
  1866. 'MongoDB 3.6 or higher no longer supports the group command. We recommend rewriting using the aggregation framework.');
  1867. /**
  1868. * Run Map Reduce across a collection. Be aware that the inline option for out will return an array of results not a collection.
  1869. *
  1870. * @method
  1871. * @param {(function|string)} map The mapping function.
  1872. * @param {(function|string)} reduce The reduce function.
  1873. * @param {object} [options] Optional settings.
  1874. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  1875. * @param {object} [options.out] Sets the output target for the map reduce job. *{inline:1} | {replace:'collectionName'} | {merge:'collectionName'} | {reduce:'collectionName'}*
  1876. * @param {object} [options.query] Query filter object.
  1877. * @param {object} [options.sort] Sorts the input objects using this key. Useful for optimization, like sorting by the emit key for fewer reduces.
  1878. * @param {number} [options.limit] Number of objects to return from collection.
  1879. * @param {boolean} [options.keeptemp=false] Keep temporary data.
  1880. * @param {(function|string)} [options.finalize] Finalize function.
  1881. * @param {object} [options.scope] Can pass in variables that can be access from map/reduce/finalize.
  1882. * @param {boolean} [options.jsMode=false] It is possible to make the execution stay in JS. Provided in MongoDB > 2.0.X.
  1883. * @param {boolean} [options.verbose=false] Provide statistics on job execution time.
  1884. * @param {boolean} [options.bypassDocumentValidation=false] Allow driver to bypass schema validation in MongoDB 3.2 or higher.
  1885. * @param {ClientSession} [options.session] optional session to use for this operation
  1886. * @param {Collection~resultCallback} [callback] The command result callback
  1887. * @throws {MongoError}
  1888. * @return {Promise} returns Promise if no callback passed
  1889. */
  1890. Collection.prototype.mapReduce = function(map, reduce, options, callback) {
  1891. if ('function' === typeof options) (callback = options), (options = {});
  1892. // Out must allways be defined (make sure we don't break weirdly on pre 1.8+ servers)
  1893. if (null == options.out) {
  1894. throw new Error(
  1895. 'the out option parameter must be defined, see mongodb docs for possible values'
  1896. );
  1897. }
  1898. if ('function' === typeof map) {
  1899. map = map.toString();
  1900. }
  1901. if ('function' === typeof reduce) {
  1902. reduce = reduce.toString();
  1903. }
  1904. if ('function' === typeof options.finalize) {
  1905. options.finalize = options.finalize.toString();
  1906. }
  1907. const mapReduceOperation = new MapReduceOperation(this, map, reduce, options);
  1908. return executeOperation(this.s.topology, mapReduceOperation, callback);
  1909. };
  1910. /**
  1911. * Initiate an Out of order batch write operation. All operations will be buffered into insert/update/remove commands executed out of order.
  1912. *
  1913. * @method
  1914. * @param {object} [options] Optional settings.
  1915. * @param {(number|string)} [options.w] The write concern.
  1916. * @param {number} [options.wtimeout] The write concern timeout.
  1917. * @param {boolean} [options.j=false] Specify a journal write concern.
  1918. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  1919. * @param {ClientSession} [options.session] optional session to use for this operation
  1920. * @return {UnorderedBulkOperation}
  1921. */
  1922. Collection.prototype.initializeUnorderedBulkOp = function(options) {
  1923. options = options || {};
  1924. // Give function's options precedence over session options.
  1925. if (options.ignoreUndefined == null) {
  1926. options.ignoreUndefined = this.s.options.ignoreUndefined;
  1927. }
  1928. options.promiseLibrary = this.s.promiseLibrary;
  1929. return unordered(this.s.topology, this, options);
  1930. };
  1931. /**
  1932. * Initiate an In order bulk write operation. Operations will be serially executed in the order they are added, creating a new operation for each switch in types.
  1933. *
  1934. * @method
  1935. * @param {object} [options] Optional settings.
  1936. * @param {(number|string)} [options.w] The write concern.
  1937. * @param {number} [options.wtimeout] The write concern timeout.
  1938. * @param {boolean} [options.j=false] Specify a journal write concern.
  1939. * @param {ClientSession} [options.session] optional session to use for this operation
  1940. * @param {boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields.
  1941. * @param {OrderedBulkOperation} callback The command result callback
  1942. * @return {null}
  1943. */
  1944. Collection.prototype.initializeOrderedBulkOp = function(options) {
  1945. options = options || {};
  1946. // Give function's options precedence over session's options.
  1947. if (options.ignoreUndefined == null) {
  1948. options.ignoreUndefined = this.s.options.ignoreUndefined;
  1949. }
  1950. options.promiseLibrary = this.s.promiseLibrary;
  1951. return ordered(this.s.topology, this, options);
  1952. };
  1953. /**
  1954. * Return the db logger
  1955. * @method
  1956. * @return {Logger} return the db logger
  1957. * @ignore
  1958. */
  1959. Collection.prototype.getLogger = function() {
  1960. return this.s.db.s.logger;
  1961. };
  1962. module.exports = Collection;