Source: lib/cursor.js

  1. 'use strict';
  2. const inherits = require('util').inherits;
  3. const f = require('util').format;
  4. const formattedOrderClause = require('./utils').formattedOrderClause;
  5. const handleCallback = require('./utils').handleCallback;
  6. const ReadPreference = require('mongodb-core').ReadPreference;
  7. const MongoError = require('mongodb-core').MongoError;
  8. const Readable = require('stream').Readable;
  9. const CoreCursor = require('mongodb-core').Cursor;
  10. const Map = require('mongodb-core').BSON.Map;
  11. const executeOperation = require('./utils').executeOperation;
  12. /**
  13. * @fileOverview The **Cursor** class is an internal class that embodies a cursor on MongoDB
  14. * allowing for iteration over the results returned from the underlying query. It supports
  15. * one by one document iteration, conversion to an array or can be iterated as a Node 4.X
  16. * or higher stream
  17. *
  18. * **CURSORS Cannot directly be instantiated**
  19. * @example
  20. * const MongoClient = require('mongodb').MongoClient;
  21. * const test = require('assert');
  22. * // Connection url
  23. * const url = 'mongodb://localhost:27017';
  24. * // Database Name
  25. * const dbName = 'test';
  26. * // Connect using MongoClient
  27. * MongoClient.connect(url, function(err, client) {
  28. * // Create a collection we want to drop later
  29. * const col = client.db(dbName).collection('createIndexExample1');
  30. * // Insert a bunch of documents
  31. * col.insert([{a:1, b:1}
  32. * , {a:2, b:2}, {a:3, b:3}
  33. * , {a:4, b:4}], {w:1}, function(err, result) {
  34. * test.equal(null, err);
  35. * // Show that duplicate records got dropped
  36. * col.find({}).toArray(function(err, items) {
  37. * test.equal(null, err);
  38. * test.equal(4, items.length);
  39. * client.close();
  40. * });
  41. * });
  42. * });
  43. */
  44. /**
  45. * Namespace provided by the mongodb-core and node.js
  46. * @external CoreCursor
  47. * @external Readable
  48. */
  49. // Flags allowed for cursor
  50. var flags = ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'exhaust', 'partial'];
  51. var fields = ['numberOfRetries', 'tailableRetryInterval'];
  52. var push = Array.prototype.push;
  53. /**
  54. * Creates a new Cursor instance (INTERNAL TYPE, do not instantiate directly)
  55. * @class Cursor
  56. * @extends external:CoreCursor
  57. * @extends external:Readable
  58. * @property {string} sortValue Cursor query sort setting.
  59. * @property {boolean} timeout Is Cursor able to time out.
  60. * @property {ReadPreference} readPreference Get cursor ReadPreference.
  61. * @fires Cursor#data
  62. * @fires Cursor#end
  63. * @fires Cursor#close
  64. * @fires Cursor#readable
  65. * @return {Cursor} a Cursor instance.
  66. * @example
  67. * Cursor cursor options.
  68. *
  69. * collection.find({}).project({a:1}) // Create a projection of field a
  70. * collection.find({}).skip(1).limit(10) // Skip 1 and limit 10
  71. * collection.find({}).batchSize(5) // Set batchSize on cursor to 5
  72. * collection.find({}).filter({a:1}) // Set query on the cursor
  73. * collection.find({}).comment('add a comment') // Add a comment to the query, allowing to correlate queries
  74. * collection.find({}).addCursorFlag('tailable', true) // Set cursor as tailable
  75. * collection.find({}).addCursorFlag('oplogReplay', true) // Set cursor as oplogReplay
  76. * collection.find({}).addCursorFlag('noCursorTimeout', true) // Set cursor as noCursorTimeout
  77. * collection.find({}).addCursorFlag('awaitData', true) // Set cursor as awaitData
  78. * collection.find({}).addCursorFlag('partial', true) // Set cursor as partial
  79. * collection.find({}).addQueryModifier('$orderby', {a:1}) // Set $orderby {a:1}
  80. * collection.find({}).max(10) // Set the cursor maxScan
  81. * collection.find({}).maxScan(10) // Set the cursor maxScan
  82. * collection.find({}).maxTimeMS(1000) // Set the cursor maxTimeMS
  83. * collection.find({}).min(100) // Set the cursor min
  84. * collection.find({}).returnKey(10) // Set the cursor returnKey
  85. * collection.find({}).setReadPreference(ReadPreference.PRIMARY) // Set the cursor readPreference
  86. * collection.find({}).showRecordId(true) // Set the cursor showRecordId
  87. * collection.find({}).snapshot(true) // Set the cursor snapshot
  88. * collection.find({}).sort([['a', 1]]) // Sets the sort order of the cursor query
  89. * collection.find({}).hint('a_1') // Set the cursor hint
  90. *
  91. * All options are chainable, so one can do the following.
  92. *
  93. * collection.find({}).maxTimeMS(1000).maxScan(100).skip(1).toArray(..)
  94. */
  95. var Cursor = function(bson, ns, cmd, options, topology, topologyOptions) {
  96. CoreCursor.apply(this, Array.prototype.slice.call(arguments, 0));
  97. var state = Cursor.INIT;
  98. var streamOptions = {};
  99. // Tailable cursor options
  100. var numberOfRetries = options.numberOfRetries || 5;
  101. var tailableRetryInterval = options.tailableRetryInterval || 500;
  102. var currentNumberOfRetries = numberOfRetries;
  103. // Get the promiseLibrary
  104. var promiseLibrary = options.promiseLibrary || Promise;
  105. // Set up
  106. Readable.call(this, { objectMode: true });
  107. // Internal cursor state
  108. this.s = {
  109. // Tailable cursor options
  110. numberOfRetries: numberOfRetries,
  111. tailableRetryInterval: tailableRetryInterval,
  112. currentNumberOfRetries: currentNumberOfRetries,
  113. // State
  114. state: state,
  115. // Stream options
  116. streamOptions: streamOptions,
  117. // BSON
  118. bson: bson,
  119. // Namespace
  120. ns: ns,
  121. // Command
  122. cmd: cmd,
  123. // Options
  124. options: options,
  125. // Topology
  126. topology: topology,
  127. // Topology options
  128. topologyOptions: topologyOptions,
  129. // Promise library
  130. promiseLibrary: promiseLibrary,
  131. // Current doc
  132. currentDoc: null,
  133. // Optional ClientSession
  134. session: options.session
  135. };
  136. // Translate correctly
  137. if (this.s.options.noCursorTimeout === true) {
  138. this.addCursorFlag('noCursorTimeout', true);
  139. }
  140. // Set the sort value
  141. this.sortValue = this.s.cmd.sort;
  142. // Get the batchSize
  143. var batchSize =
  144. cmd.cursor && cmd.cursor.batchSize
  145. ? cmd.cursor && cmd.cursor.batchSize
  146. : options.cursor && options.cursor.batchSize
  147. ? options.cursor.batchSize
  148. : 1000;
  149. // Set the batchSize
  150. this.setCursorBatchSize(batchSize);
  151. };
  152. /**
  153. * Cursor stream data event, fired for each document in the cursor.
  154. *
  155. * @event Cursor#data
  156. * @type {object}
  157. */
  158. /**
  159. * Cursor stream end event
  160. *
  161. * @event Cursor#end
  162. * @type {null}
  163. */
  164. /**
  165. * Cursor stream close event
  166. *
  167. * @event Cursor#close
  168. * @type {null}
  169. */
  170. /**
  171. * Cursor stream readable event
  172. *
  173. * @event Cursor#readable
  174. * @type {null}
  175. */
  176. // Inherit from Readable
  177. inherits(Cursor, Readable);
  178. // Map core cursor _next method so we can apply mapping
  179. Cursor.prototype._next = function() {
  180. if (this._initImplicitSession) {
  181. this._initImplicitSession();
  182. }
  183. return CoreCursor.prototype.next.apply(this, arguments);
  184. };
  185. for (var name in CoreCursor.prototype) {
  186. Cursor.prototype[name] = CoreCursor.prototype[name];
  187. }
  188. Cursor.prototype._initImplicitSession = function() {
  189. if (!this.s.session && this.s.topology.hasSessionSupport()) {
  190. this.s.session = this.s.topology.startSession({ owner: this });
  191. this.cursorState.session = this.s.session;
  192. }
  193. };
  194. Cursor.prototype._endSession = function() {
  195. const didCloseCursor = CoreCursor.prototype._endSession.apply(this, arguments);
  196. if (didCloseCursor) {
  197. this.s.session = undefined;
  198. }
  199. };
  200. /**
  201. * Check if there is any document still available in the cursor
  202. * @method
  203. * @param {Cursor~resultCallback} [callback] The result callback.
  204. * @throws {MongoError}
  205. * @return {Promise} returns Promise if no callback passed
  206. */
  207. Cursor.prototype.hasNext = function(callback) {
  208. return executeOperation(this.s.topology, hasNext, [this, callback], {
  209. skipSessions: true
  210. });
  211. };
  212. const hasNext = (self, callback) => {
  213. if (self.s.currentDoc) {
  214. return callback(null, true);
  215. }
  216. nextObject(self, function(err, doc) {
  217. if (err) return callback(err, null);
  218. if (self.s.state === Cursor.CLOSED || self.isDead()) return callback(null, false);
  219. if (!doc) return callback(null, false);
  220. self.s.currentDoc = doc;
  221. callback(null, true);
  222. });
  223. };
  224. /**
  225. * Get the next available document from the cursor, returns null if no more documents are available.
  226. * @method
  227. * @param {Cursor~resultCallback} [callback] The result callback.
  228. * @throws {MongoError}
  229. * @return {Promise} returns Promise if no callback passed
  230. */
  231. Cursor.prototype.next = function(callback) {
  232. return executeOperation(this.s.topology, next, [this, callback], {
  233. skipSessions: true
  234. });
  235. };
  236. const next = (self, callback) => {
  237. // Return the currentDoc if someone called hasNext first
  238. if (self.s.currentDoc) {
  239. var doc = self.s.currentDoc;
  240. self.s.currentDoc = null;
  241. return callback(null, doc);
  242. }
  243. // Return the next object
  244. nextObject(self, callback);
  245. };
  246. /**
  247. * Set the cursor query
  248. * @method
  249. * @param {object} filter The filter object used for the cursor.
  250. * @return {Cursor}
  251. */
  252. Cursor.prototype.filter = function(filter) {
  253. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  254. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  255. }
  256. this.s.cmd.query = filter;
  257. return this;
  258. };
  259. /**
  260. * Set the cursor maxScan
  261. * @method
  262. * @param {object} maxScan Constrains the query to only scan the specified number of documents when fulfilling the query
  263. * @return {Cursor}
  264. */
  265. Cursor.prototype.maxScan = function(maxScan) {
  266. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  267. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  268. }
  269. this.s.cmd.maxScan = maxScan;
  270. return this;
  271. };
  272. /**
  273. * Set the cursor hint
  274. * @method
  275. * @param {object} hint If specified, then the query system will only consider plans using the hinted index.
  276. * @return {Cursor}
  277. */
  278. Cursor.prototype.hint = function(hint) {
  279. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  280. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  281. }
  282. this.s.cmd.hint = hint;
  283. return this;
  284. };
  285. /**
  286. * Set the cursor min
  287. * @method
  288. * @param {object} min Specify a $min value to specify the inclusive lower bound for a specific index in order to constrain the results of find(). The $min specifies the lower bound for all keys of a specific index in order.
  289. * @return {Cursor}
  290. */
  291. Cursor.prototype.min = function(min) {
  292. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead())
  293. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  294. this.s.cmd.min = min;
  295. return this;
  296. };
  297. /**
  298. * Set the cursor max
  299. * @method
  300. * @param {object} max Specify a $max value to specify the exclusive upper bound for a specific index in order to constrain the results of find(). The $max specifies the upper bound for all keys of a specific index in order.
  301. * @return {Cursor}
  302. */
  303. Cursor.prototype.max = function(max) {
  304. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  305. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  306. }
  307. this.s.cmd.max = max;
  308. return this;
  309. };
  310. /**
  311. * Set the cursor returnKey
  312. * @method
  313. * @param {object} returnKey Only return the index field or fields for the results of the query. If $returnKey is set to true and the query does not use an index to perform the read operation, the returned documents will not contain any fields. Use one of the following forms:
  314. * @return {Cursor}
  315. */
  316. Cursor.prototype.returnKey = function(value) {
  317. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  318. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  319. }
  320. this.s.cmd.returnKey = value;
  321. return this;
  322. };
  323. /**
  324. * Set the cursor showRecordId
  325. * @method
  326. * @param {object} showRecordId The $showDiskLoc option has now been deprecated and replaced with the showRecordId field. $showDiskLoc will still be accepted for OP_QUERY stye find.
  327. * @return {Cursor}
  328. */
  329. Cursor.prototype.showRecordId = function(value) {
  330. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  331. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  332. }
  333. this.s.cmd.showDiskLoc = value;
  334. return this;
  335. };
  336. /**
  337. * Set the cursor snapshot
  338. * @method
  339. * @param {object} snapshot The $snapshot operator prevents the cursor from returning a document more than once because an intervening write operation results in a move of the document.
  340. * @return {Cursor}
  341. */
  342. Cursor.prototype.snapshot = function(value) {
  343. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  344. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  345. }
  346. this.s.cmd.snapshot = value;
  347. return this;
  348. };
  349. /**
  350. * Set a node.js specific cursor option
  351. * @method
  352. * @param {string} field The cursor option to set ['numberOfRetries', 'tailableRetryInterval'].
  353. * @param {object} value The field value.
  354. * @throws {MongoError}
  355. * @return {Cursor}
  356. */
  357. Cursor.prototype.setCursorOption = function(field, value) {
  358. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  359. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  360. }
  361. if (fields.indexOf(field) === -1) {
  362. throw MongoError.create({
  363. message: f('option %s not a supported option %s', field, fields),
  364. driver: true
  365. });
  366. }
  367. this.s[field] = value;
  368. if (field === 'numberOfRetries') this.s.currentNumberOfRetries = value;
  369. return this;
  370. };
  371. /**
  372. * Add a cursor flag to the cursor
  373. * @method
  374. * @param {string} flag The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial'].
  375. * @param {boolean} value The flag boolean value.
  376. * @throws {MongoError}
  377. * @return {Cursor}
  378. */
  379. Cursor.prototype.addCursorFlag = function(flag, value) {
  380. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  381. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  382. }
  383. if (flags.indexOf(flag) === -1) {
  384. throw MongoError.create({
  385. message: f('flag %s not a supported flag %s', flag, flags),
  386. driver: true
  387. });
  388. }
  389. if (typeof value !== 'boolean') {
  390. throw MongoError.create({ message: f('flag %s must be a boolean value', flag), driver: true });
  391. }
  392. this.s.cmd[flag] = value;
  393. return this;
  394. };
  395. /**
  396. * Add a query modifier to the cursor query
  397. * @method
  398. * @param {string} name The query modifier (must start with $, such as $orderby etc)
  399. * @param {boolean} value The flag boolean value.
  400. * @throws {MongoError}
  401. * @return {Cursor}
  402. */
  403. Cursor.prototype.addQueryModifier = function(name, value) {
  404. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  405. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  406. }
  407. if (name[0] !== '$') {
  408. throw MongoError.create({ message: f('%s is not a valid query modifier'), driver: true });
  409. }
  410. // Strip of the $
  411. var field = name.substr(1);
  412. // Set on the command
  413. this.s.cmd[field] = value;
  414. // Deal with the special case for sort
  415. if (field === 'orderby') this.s.cmd.sort = this.s.cmd[field];
  416. return this;
  417. };
  418. /**
  419. * Add a comment to the cursor query allowing for tracking the comment in the log.
  420. * @method
  421. * @param {string} value The comment attached to this query.
  422. * @throws {MongoError}
  423. * @return {Cursor}
  424. */
  425. Cursor.prototype.comment = function(value) {
  426. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  427. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  428. }
  429. this.s.cmd.comment = value;
  430. return this;
  431. };
  432. /**
  433. * Set a maxAwaitTimeMS on a tailing cursor query to allow to customize the timeout value for the option awaitData (Only supported on MongoDB 3.2 or higher, ignored otherwise)
  434. * @method
  435. * @param {number} value Number of milliseconds to wait before aborting the tailed query.
  436. * @throws {MongoError}
  437. * @return {Cursor}
  438. */
  439. Cursor.prototype.maxAwaitTimeMS = function(value) {
  440. if (typeof value !== 'number') {
  441. throw MongoError.create({ message: 'maxAwaitTimeMS must be a number', driver: true });
  442. }
  443. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  444. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  445. }
  446. this.s.cmd.maxAwaitTimeMS = value;
  447. return this;
  448. };
  449. /**
  450. * Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)
  451. * @method
  452. * @param {number} value Number of milliseconds to wait before aborting the query.
  453. * @throws {MongoError}
  454. * @return {Cursor}
  455. */
  456. Cursor.prototype.maxTimeMS = function(value) {
  457. if (typeof value !== 'number') {
  458. throw MongoError.create({ message: 'maxTimeMS must be a number', driver: true });
  459. }
  460. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  461. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  462. }
  463. this.s.cmd.maxTimeMS = value;
  464. return this;
  465. };
  466. Cursor.prototype.maxTimeMs = Cursor.prototype.maxTimeMS;
  467. /**
  468. * Sets a field projection for the query.
  469. * @method
  470. * @param {object} value The field projection object.
  471. * @throws {MongoError}
  472. * @return {Cursor}
  473. */
  474. Cursor.prototype.project = function(value) {
  475. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  476. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  477. }
  478. this.s.cmd.fields = value;
  479. return this;
  480. };
  481. /**
  482. * Sets the sort order of the cursor query.
  483. * @method
  484. * @param {(string|array|object)} keyOrList The key or keys set for the sort.
  485. * @param {number} [direction] The direction of the sorting (1 or -1).
  486. * @throws {MongoError}
  487. * @return {Cursor}
  488. */
  489. Cursor.prototype.sort = function(keyOrList, direction) {
  490. if (this.s.options.tailable) {
  491. throw MongoError.create({ message: "Tailable cursor doesn't support sorting", driver: true });
  492. }
  493. if (this.s.state === Cursor.CLOSED || this.s.state === Cursor.OPEN || this.isDead()) {
  494. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  495. }
  496. var order = keyOrList;
  497. // We have an array of arrays, we need to preserve the order of the sort
  498. // so we will us a Map
  499. if (Array.isArray(order) && Array.isArray(order[0])) {
  500. order = new Map(
  501. order.map(function(x) {
  502. var value = [x[0], null];
  503. if (x[1] === 'asc') {
  504. value[1] = 1;
  505. } else if (x[1] === 'desc') {
  506. value[1] = -1;
  507. } else if (x[1] === 1 || x[1] === -1) {
  508. value[1] = x[1];
  509. } else {
  510. throw new MongoError(
  511. "Illegal sort clause, must be of the form [['field1', '(ascending|descending)'], ['field2', '(ascending|descending)']]"
  512. );
  513. }
  514. return value;
  515. })
  516. );
  517. }
  518. if (direction != null) {
  519. order = [[keyOrList, direction]];
  520. }
  521. this.s.cmd.sort = order;
  522. this.sortValue = order;
  523. return this;
  524. };
  525. /**
  526. * Set the batch size for the cursor.
  527. * @method
  528. * @param {number} value The batchSize for the cursor.
  529. * @throws {MongoError}
  530. * @return {Cursor}
  531. */
  532. Cursor.prototype.batchSize = function(value) {
  533. if (this.s.options.tailable) {
  534. throw MongoError.create({ message: "Tailable cursor doesn't support batchSize", driver: true });
  535. }
  536. if (this.s.state === Cursor.CLOSED || this.isDead()) {
  537. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  538. }
  539. if (typeof value !== 'number') {
  540. throw MongoError.create({ message: 'batchSize requires an integer', driver: true });
  541. }
  542. this.s.cmd.batchSize = value;
  543. this.setCursorBatchSize(value);
  544. return this;
  545. };
  546. /**
  547. * Set the collation options for the cursor.
  548. * @method
  549. * @param {object} value The cursor collation options (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).
  550. * @throws {MongoError}
  551. * @return {Cursor}
  552. */
  553. Cursor.prototype.collation = function(value) {
  554. this.s.cmd.collation = value;
  555. return this;
  556. };
  557. /**
  558. * Set the limit for the cursor.
  559. * @method
  560. * @param {number} value The limit for the cursor query.
  561. * @throws {MongoError}
  562. * @return {Cursor}
  563. */
  564. Cursor.prototype.limit = function(value) {
  565. if (this.s.options.tailable) {
  566. throw MongoError.create({ message: "Tailable cursor doesn't support limit", driver: true });
  567. }
  568. if (this.s.state === Cursor.OPEN || this.s.state === Cursor.CLOSED || this.isDead()) {
  569. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  570. }
  571. if (typeof value !== 'number') {
  572. throw MongoError.create({ message: 'limit requires an integer', driver: true });
  573. }
  574. this.s.cmd.limit = value;
  575. // this.cursorLimit = value;
  576. this.setCursorLimit(value);
  577. return this;
  578. };
  579. /**
  580. * Set the skip for the cursor.
  581. * @method
  582. * @param {number} value The skip for the cursor query.
  583. * @throws {MongoError}
  584. * @return {Cursor}
  585. */
  586. Cursor.prototype.skip = function(value) {
  587. if (this.s.options.tailable) {
  588. throw MongoError.create({ message: "Tailable cursor doesn't support skip", driver: true });
  589. }
  590. if (this.s.state === Cursor.OPEN || this.s.state === Cursor.CLOSED || this.isDead()) {
  591. throw MongoError.create({ message: 'Cursor is closed', driver: true });
  592. }
  593. if (typeof value !== 'number') {
  594. throw MongoError.create({ message: 'skip requires an integer', driver: true });
  595. }
  596. this.s.cmd.skip = value;
  597. this.setCursorSkip(value);
  598. return this;
  599. };
  600. /**
  601. * The callback format for results
  602. * @callback Cursor~resultCallback
  603. * @param {MongoError} error An error instance representing the error during the execution.
  604. * @param {(object|null|boolean)} result The result object if the command was executed successfully.
  605. */
  606. /**
  607. * Clone the cursor
  608. * @function external:CoreCursor#clone
  609. * @return {Cursor}
  610. */
  611. /**
  612. * Resets the cursor
  613. * @function external:CoreCursor#rewind
  614. * @return {null}
  615. */
  616. // Get the next available document from the cursor, returns null if no more documents are available.
  617. var nextObject = function(self, callback) {
  618. if (self.s.state === Cursor.CLOSED || (self.isDead && self.isDead()))
  619. return handleCallback(
  620. callback,
  621. MongoError.create({ message: 'Cursor is closed', driver: true })
  622. );
  623. if (self.s.state === Cursor.INIT && self.s.cmd.sort) {
  624. try {
  625. self.s.cmd.sort = formattedOrderClause(self.s.cmd.sort);
  626. } catch (err) {
  627. return handleCallback(callback, err);
  628. }
  629. }
  630. // Get the next object
  631. self._next(function(err, doc) {
  632. self.s.state = Cursor.OPEN;
  633. if (err) return handleCallback(callback, err);
  634. handleCallback(callback, null, doc);
  635. });
  636. };
  637. // Trampoline emptying the number of retrieved items
  638. // without incurring a nextTick operation
  639. var loop = function(self, callback) {
  640. // No more items we are done
  641. if (self.bufferedCount() === 0) return;
  642. // Get the next document
  643. self._next(callback);
  644. // Loop
  645. return loop;
  646. };
  647. /**
  648. * Iterates over all the documents for this cursor. As with **{cursor.toArray}**,
  649. * not all of the elements will be iterated if this cursor had been previouly accessed.
  650. * In that case, **{cursor.rewind}** can be used to reset the cursor. However, unlike
  651. * **{cursor.toArray}**, the cursor will only hold a maximum of batch size elements
  652. * at any given time if batch size is specified. Otherwise, the caller is responsible
  653. * for making sure that the entire result can fit the memory.
  654. * @method
  655. * @deprecated
  656. * @param {Cursor~resultCallback} callback The result callback.
  657. * @throws {MongoError}
  658. * @return {null}
  659. */
  660. Cursor.prototype.each = function(callback) {
  661. // Rewind cursor state
  662. this.rewind();
  663. // Set current cursor to INIT
  664. this.s.state = Cursor.INIT;
  665. // Run the query
  666. _each(this, callback);
  667. };
  668. // Run the each loop
  669. var _each = function(self, callback) {
  670. if (!callback) throw MongoError.create({ message: 'callback is mandatory', driver: true });
  671. if (self.isNotified()) return;
  672. if (self.s.state === Cursor.CLOSED || self.isDead()) {
  673. return handleCallback(
  674. callback,
  675. MongoError.create({ message: 'Cursor is closed', driver: true })
  676. );
  677. }
  678. if (self.s.state === Cursor.INIT) self.s.state = Cursor.OPEN;
  679. // Define function to avoid global scope escape
  680. var fn = null;
  681. // Trampoline all the entries
  682. if (self.bufferedCount() > 0) {
  683. while ((fn = loop(self, callback))) fn(self, callback);
  684. _each(self, callback);
  685. } else {
  686. self.next(function(err, item) {
  687. if (err) return handleCallback(callback, err);
  688. if (item == null) {
  689. return self.close({ skipKillCursors: true }, () => handleCallback(callback, null, null));
  690. }
  691. if (handleCallback(callback, null, item) === false) return;
  692. _each(self, callback);
  693. });
  694. }
  695. };
  696. /**
  697. * The callback format for the forEach iterator method
  698. * @callback Cursor~iteratorCallback
  699. * @param {Object} doc An emitted document for the iterator
  700. */
  701. /**
  702. * The callback error format for the forEach iterator method
  703. * @callback Cursor~endCallback
  704. * @param {MongoError} error An error instance representing the error during the execution.
  705. */
  706. /**
  707. * Iterates over all the documents for this cursor using the iterator, callback pattern.
  708. * @method
  709. * @param {Cursor~iteratorCallback} iterator The iteration callback.
  710. * @param {Cursor~endCallback} callback The end callback.
  711. * @throws {MongoError}
  712. * @return {null}
  713. */
  714. Cursor.prototype.forEach = function(iterator, callback) {
  715. this.each(function(err, doc) {
  716. if (err) {
  717. callback(err);
  718. return false;
  719. }
  720. if (doc != null) {
  721. iterator(doc);
  722. return true;
  723. }
  724. if (doc == null && callback) {
  725. var internalCallback = callback;
  726. callback = null;
  727. internalCallback(null);
  728. return false;
  729. }
  730. });
  731. };
  732. /**
  733. * Set the ReadPreference for the cursor.
  734. * @method
  735. * @param {(string|ReadPreference)} readPreference The new read preference for the cursor.
  736. * @throws {MongoError}
  737. * @return {Cursor}
  738. */
  739. Cursor.prototype.setReadPreference = function(readPreference) {
  740. if (this.s.state !== Cursor.INIT) {
  741. throw MongoError.create({
  742. message: 'cannot change cursor readPreference after cursor has been accessed',
  743. driver: true
  744. });
  745. }
  746. if (readPreference instanceof ReadPreference) {
  747. this.s.options.readPreference = readPreference;
  748. } else if (typeof readPreference === 'string') {
  749. this.s.options.readPreference = new ReadPreference(readPreference);
  750. } else {
  751. throw new TypeError('Invalid read preference: ' + readPreference);
  752. }
  753. return this;
  754. };
  755. /**
  756. * The callback format for results
  757. * @callback Cursor~toArrayResultCallback
  758. * @param {MongoError} error An error instance representing the error during the execution.
  759. * @param {object[]} documents All the documents the satisfy the cursor.
  760. */
  761. /**
  762. * Returns an array of documents. The caller is responsible for making sure that there
  763. * is enough memory to store the results. Note that the array only contain partial
  764. * results when this cursor had been previouly accessed. In that case,
  765. * cursor.rewind() can be used to reset the cursor.
  766. * @method
  767. * @param {Cursor~toArrayResultCallback} [callback] The result callback.
  768. * @throws {MongoError}
  769. * @return {Promise} returns Promise if no callback passed
  770. */
  771. Cursor.prototype.toArray = function(callback) {
  772. var self = this;
  773. if (self.s.options.tailable) {
  774. throw MongoError.create({
  775. message: 'Tailable cursor cannot be converted to array',
  776. driver: true
  777. });
  778. }
  779. return executeOperation(this.s.topology, toArray, [this, callback], {
  780. skipSessions: true
  781. });
  782. };
  783. var toArray = function(self, callback) {
  784. var items = [];
  785. // Reset cursor
  786. self.rewind();
  787. self.s.state = Cursor.INIT;
  788. // Fetch all the documents
  789. var fetchDocs = function() {
  790. self._next(function(err, doc) {
  791. if (err) {
  792. return self._endSession
  793. ? self._endSession(() => handleCallback(callback, err))
  794. : handleCallback(callback, err);
  795. }
  796. if (doc == null) {
  797. return self.close({ skipKillCursors: true }, () => handleCallback(callback, null, items));
  798. }
  799. // Add doc to items
  800. items.push(doc);
  801. // Get all buffered objects
  802. if (self.bufferedCount() > 0) {
  803. var docs = self.readBufferedDocuments(self.bufferedCount());
  804. // Transform the doc if transform method added
  805. if (self.s.transforms && typeof self.s.transforms.doc === 'function') {
  806. docs = docs.map(self.s.transforms.doc);
  807. }
  808. push.apply(items, docs);
  809. }
  810. // Attempt a fetch
  811. fetchDocs();
  812. });
  813. };
  814. fetchDocs();
  815. };
  816. /**
  817. * The callback format for results
  818. * @callback Cursor~countResultCallback
  819. * @param {MongoError} error An error instance representing the error during the execution.
  820. * @param {number} count The count of documents.
  821. */
  822. /**
  823. * Get the count of documents for this cursor
  824. * @method
  825. * @param {boolean} [applySkipLimit=true] Should the count command apply limit and skip settings on the cursor or in the passed in options.
  826. * @param {object} [options=null] Optional settings.
  827. * @param {number} [options.skip=null] The number of documents to skip.
  828. * @param {number} [options.limit=null] The maximum amounts to count before aborting.
  829. * @param {number} [options.maxTimeMS=null] Number of miliseconds to wait before aborting the query.
  830. * @param {string} [options.hint=null] An index name hint for the query.
  831. * @param {(ReadPreference|string)} [options.readPreference=null] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).
  832. * @param {Cursor~countResultCallback} [callback] The result callback.
  833. * @return {Promise} returns Promise if no callback passed
  834. */
  835. Cursor.prototype.count = function(applySkipLimit, opts, callback) {
  836. if (this.s.cmd.query == null)
  837. throw MongoError.create({ message: 'count can only be used with find command', driver: true });
  838. if (typeof opts === 'function') (callback = opts), (opts = {});
  839. opts = opts || {};
  840. if (typeof applySkipLimit === 'function') {
  841. callback = applySkipLimit;
  842. applySkipLimit = true;
  843. }
  844. if (this.s.session) {
  845. opts = Object.assign({}, opts, { session: this.s.session });
  846. }
  847. return executeOperation(this.s.topology, count, [this, applySkipLimit, opts, callback], {
  848. skipSessions: !!this.s.session
  849. });
  850. };
  851. var count = function(self, applySkipLimit, opts, callback) {
  852. if (applySkipLimit) {
  853. if (typeof self.cursorSkip() === 'number') opts.skip = self.cursorSkip();
  854. if (typeof self.cursorLimit() === 'number') opts.limit = self.cursorLimit();
  855. }
  856. // Command
  857. var delimiter = self.s.ns.indexOf('.');
  858. var command = {
  859. count: self.s.ns.substr(delimiter + 1),
  860. query: self.s.cmd.query
  861. };
  862. // Apply a readConcern if set
  863. if (self.s.cmd.readConcern) {
  864. command.readConcern = self.s.cmd.readConcern;
  865. }
  866. // Apply a hint if set
  867. if (self.s.cmd.hint) {
  868. command.hint = self.s.cmd.hint;
  869. }
  870. if (typeof opts.maxTimeMS === 'number') {
  871. command.maxTimeMS = opts.maxTimeMS;
  872. } else if (self.s.cmd && typeof self.s.cmd.maxTimeMS === 'number') {
  873. command.maxTimeMS = self.s.cmd.maxTimeMS;
  874. }
  875. // Merge in any options
  876. if (opts.skip) command.skip = opts.skip;
  877. if (opts.limit) command.limit = opts.limit;
  878. if (self.s.options.hint) command.hint = self.s.options.hint;
  879. // Set cursor server to the same as the topology
  880. self.server = self.topology.s.coreTopology;
  881. // Execute the command
  882. self.s.topology.command(
  883. f('%s.$cmd', self.s.ns.substr(0, delimiter)),
  884. command,
  885. self.s.options,
  886. function(err, result) {
  887. callback(err, result ? result.result.n : null);
  888. }
  889. );
  890. };
  891. /**
  892. * Close the cursor, sending a KillCursor command and emitting close.
  893. * @method
  894. * @param {object} [options] Optional settings.
  895. * @param {boolean} [options.skipKillCursors] Bypass calling killCursors when closing the cursor.
  896. * @param {Cursor~resultCallback} [callback] The result callback.
  897. * @return {Promise} returns Promise if no callback passed
  898. */
  899. Cursor.prototype.close = function(options, callback) {
  900. if (typeof options === 'function') (callback = options), (options = {});
  901. options = Object.assign({}, { skipKillCursors: false }, options);
  902. this.s.state = Cursor.CLOSED;
  903. if (!options.skipKillCursors) {
  904. // Kill the cursor
  905. this.kill();
  906. }
  907. const completeClose = () => {
  908. // Emit the close event for the cursor
  909. this.emit('close');
  910. // Callback if provided
  911. if (typeof callback === 'function') {
  912. return handleCallback(callback, null, this);
  913. }
  914. // Return a Promise
  915. return new this.s.promiseLibrary(function(resolve) {
  916. resolve();
  917. });
  918. };
  919. if (this.s.session) {
  920. return this._endSession(() => completeClose());
  921. }
  922. return completeClose();
  923. };
  924. /**
  925. * Map all documents using the provided function
  926. * @method
  927. * @param {function} [transform] The mapping transformation method.
  928. * @return {Cursor}
  929. */
  930. Cursor.prototype.map = function(transform) {
  931. if (this.cursorState.transforms && this.cursorState.transforms.doc) {
  932. var oldTransform = this.cursorState.transforms.doc;
  933. this.cursorState.transforms.doc = function(doc) {
  934. return transform(oldTransform(doc));
  935. };
  936. } else {
  937. this.cursorState.transforms = { doc: transform };
  938. }
  939. return this;
  940. };
  941. /**
  942. * Is the cursor closed
  943. * @method
  944. * @return {boolean}
  945. */
  946. Cursor.prototype.isClosed = function() {
  947. return this.isDead();
  948. };
  949. Cursor.prototype.destroy = function(err) {
  950. if (err) this.emit('error', err);
  951. this.pause();
  952. this.close();
  953. };
  954. /**
  955. * Return a modified Readable stream including a possible transform method.
  956. * @method
  957. * @param {object} [options=null] Optional settings.
  958. * @param {function} [options.transform=null] A transformation method applied to each document emitted by the stream.
  959. * @return {Cursor}
  960. */
  961. Cursor.prototype.stream = function(options) {
  962. this.s.streamOptions = options || {};
  963. return this;
  964. };
  965. /**
  966. * Execute the explain for the cursor
  967. * @method
  968. * @param {Cursor~resultCallback} [callback] The result callback.
  969. * @return {Promise} returns Promise if no callback passed
  970. */
  971. Cursor.prototype.explain = function(callback) {
  972. this.s.cmd.explain = true;
  973. // Do we have a readConcern
  974. if (this.s.cmd.readConcern) {
  975. delete this.s.cmd['readConcern'];
  976. }
  977. return executeOperation(this.s.topology, this._next.bind(this), [callback], {
  978. skipSessions: true
  979. });
  980. };
  981. Cursor.prototype._read = function() {
  982. var self = this;
  983. if (self.s.state === Cursor.CLOSED || self.isDead()) {
  984. return self.push(null);
  985. }
  986. // Get the next item
  987. self.next(function(err, result) {
  988. if (err) {
  989. if (self.listeners('error') && self.listeners('error').length > 0) {
  990. self.emit('error', err);
  991. }
  992. if (!self.isDead()) self.close();
  993. // Emit end event
  994. self.emit('end');
  995. return self.emit('finish');
  996. }
  997. // If we provided a transformation method
  998. if (typeof self.s.streamOptions.transform === 'function' && result != null) {
  999. return self.push(self.s.streamOptions.transform(result));
  1000. }
  1001. // If we provided a map function
  1002. if (
  1003. self.cursorState.transforms &&
  1004. typeof self.cursorState.transforms.doc === 'function' &&
  1005. result != null
  1006. ) {
  1007. return self.push(self.cursorState.transforms.doc(result));
  1008. }
  1009. // Return the result
  1010. self.push(result);
  1011. if (result === null && self.isDead()) {
  1012. self.once('end', () => {
  1013. self.close();
  1014. self.emit('finish');
  1015. });
  1016. }
  1017. });
  1018. };
  1019. Object.defineProperty(Cursor.prototype, 'readPreference', {
  1020. enumerable: true,
  1021. get: function() {
  1022. if (!this || !this.s) {
  1023. return null;
  1024. }
  1025. return this.s.options.readPreference;
  1026. }
  1027. });
  1028. Object.defineProperty(Cursor.prototype, 'namespace', {
  1029. enumerable: true,
  1030. get: function() {
  1031. if (!this || !this.s) {
  1032. return null;
  1033. }
  1034. // TODO: refactor this logic into core
  1035. var ns = this.s.ns || '';
  1036. var firstDot = ns.indexOf('.');
  1037. if (firstDot < 0) {
  1038. return {
  1039. database: this.s.ns,
  1040. collection: ''
  1041. };
  1042. }
  1043. return {
  1044. database: ns.substr(0, firstDot),
  1045. collection: ns.substr(firstDot + 1)
  1046. };
  1047. }
  1048. });
  1049. /**
  1050. * The read() method pulls some data out of the internal buffer and returns it. If there is no data available, then it will return null.
  1051. * @function external:Readable#read
  1052. * @param {number} size Optional argument to specify how much data to read.
  1053. * @return {(String | Buffer | null)}
  1054. */
  1055. /**
  1056. * Call this function to cause the stream to return strings of the specified encoding instead of Buffer objects.
  1057. * @function external:Readable#setEncoding
  1058. * @param {string} encoding The encoding to use.
  1059. * @return {null}
  1060. */
  1061. /**
  1062. * This method will cause the readable stream to resume emitting data events.
  1063. * @function external:Readable#resume
  1064. * @return {null}
  1065. */
  1066. /**
  1067. * This method will cause a stream in flowing-mode to stop emitting data events. Any data that becomes available will remain in the internal buffer.
  1068. * @function external:Readable#pause
  1069. * @return {null}
  1070. */
  1071. /**
  1072. * This method pulls all the data out of a readable stream, and writes it to the supplied destination, automatically managing the flow so that the destination is not overwhelmed by a fast readable stream.
  1073. * @function external:Readable#pipe
  1074. * @param {Writable} destination The destination for writing data
  1075. * @param {object} [options] Pipe options
  1076. * @return {null}
  1077. */
  1078. /**
  1079. * This method will remove the hooks set up for a previous pipe() call.
  1080. * @function external:Readable#unpipe
  1081. * @param {Writable} [destination] The destination for writing data
  1082. * @return {null}
  1083. */
  1084. /**
  1085. * This is useful in certain cases where a stream is being consumed by a parser, which needs to "un-consume" some data that it has optimistically pulled out of the source, so that the stream can be passed on to some other party.
  1086. * @function external:Readable#unshift
  1087. * @param {(Buffer|string)} chunk Chunk of data to unshift onto the read queue.
  1088. * @return {null}
  1089. */
  1090. /**
  1091. * Versions of Node prior to v0.10 had streams that did not implement the entire Streams API as it is today. (See "Compatibility" below for more information.)
  1092. * @function external:Readable#wrap
  1093. * @param {Stream} stream An "old style" readable stream.
  1094. * @return {null}
  1095. */
  1096. Cursor.INIT = 0;
  1097. Cursor.OPEN = 1;
  1098. Cursor.CLOSED = 2;
  1099. Cursor.GET_MORE = 3;
  1100. module.exports = Cursor;