Source: lib/mongo_client.js

  1. 'use strict';
  2. const ChangeStream = require('./change_stream');
  3. const Db = require('./db');
  4. const EventEmitter = require('events').EventEmitter;
  5. const inherits = require('util').inherits;
  6. const MongoError = require('./core').MongoError;
  7. const deprecate = require('util').deprecate;
  8. const WriteConcern = require('./write_concern');
  9. const MongoDBNamespace = require('./utils').MongoDBNamespace;
  10. const ReadPreference = require('./core/topologies/read_preference');
  11. const maybePromise = require('./utils').maybePromise;
  12. const NativeTopology = require('./topologies/native_topology');
  13. const connect = require('./operations/connect').connect;
  14. const validOptions = require('./operations/connect').validOptions;
  15. /**
  16. * @fileOverview The **MongoClient** class is a class that allows for making Connections to MongoDB.
  17. *
  18. * @example
  19. * // Connect using a MongoClient instance
  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. * const mongoClient = new MongoClient(url);
  28. * mongoClient.connect(function(err, client) {
  29. * const db = client.db(dbName);
  30. * client.close();
  31. * });
  32. *
  33. * @example
  34. * // Connect using the MongoClient.connect static method
  35. * const MongoClient = require('mongodb').MongoClient;
  36. * const test = require('assert');
  37. * // Connection url
  38. * const url = 'mongodb://localhost:27017';
  39. * // Database Name
  40. * const dbName = 'test';
  41. * // Connect using MongoClient
  42. * MongoClient.connect(url, function(err, client) {
  43. * const db = client.db(dbName);
  44. * client.close();
  45. * });
  46. */
  47. /**
  48. * A string specifying the level of a ReadConcern
  49. * @typedef {'local'|'available'|'majority'|'linearizable'|'snapshot'} ReadConcernLevel
  50. * @see https://www.mongodb.com/docs/manual/reference/read-concern/index.html#read-concern-levels
  51. */
  52. /**
  53. * Configuration options for drivers wrapping the node driver.
  54. *
  55. * @typedef {Object} DriverInfoOptions
  56. * @property {string} [name] The name of the driver
  57. * @property {string} [version] The version of the driver
  58. * @property {string} [platform] Optional platform information
  59. */
  60. /**
  61. * Configuration options for drivers wrapping the node driver.
  62. *
  63. * @typedef {Object} DriverInfoOptions
  64. * @property {string} [name] The name of the driver
  65. * @property {string} [version] The version of the driver
  66. * @property {string} [platform] Optional platform information
  67. */
  68. /**
  69. * Creates a new MongoClient instance
  70. * @class
  71. * @param {string} url The connection URI string
  72. * @param {object} [options] Optional settings
  73. * @param {number} [options.poolSize=5] The maximum size of the individual server pool
  74. * @param {boolean} [options.ssl=false] Enable SSL connection. *deprecated* use `tls` variants
  75. * @param {boolean} [options.sslValidate=false] Validate mongod server certificate against Certificate Authority
  76. * @param {buffer} [options.sslCA=undefined] SSL Certificate store binary buffer *deprecated* use `tls` variants
  77. * @param {buffer} [options.sslCert=undefined] SSL Certificate binary buffer *deprecated* use `tls` variants
  78. * @param {buffer} [options.sslKey=undefined] SSL Key file binary buffer *deprecated* use `tls` variants
  79. * @param {string} [options.sslPass=undefined] SSL Certificate pass phrase *deprecated* use `tls` variants
  80. * @param {buffer} [options.sslCRL=undefined] SSL Certificate revocation list binary buffer *deprecated* use `tls` variants
  81. * @param {boolean|function} [options.checkServerIdentity=true] Ensure we check server identify during SSL, set to false to disable checking. Only works for Node 0.12.x or higher. You can pass in a boolean or your own checkServerIdentity override function. *deprecated* use `tls` variants
  82. * @param {boolean} [options.tls=false] Enable TLS connections
  83. * @param {boolean} [options.tlsInsecure=false] Relax TLS constraints, disabling validation
  84. * @param {string} [options.tlsCAFile] A path to file with either a single or bundle of certificate authorities to be considered trusted when making a TLS connection
  85. * @param {string} [options.tlsCertificateKeyFile] A path to the client certificate file or the client private key file; in the case that they both are needed, the files should be concatenated
  86. * @param {string} [options.tlsCertificateKeyFilePassword] The password to decrypt the client private key to be used for TLS connections
  87. * @param {boolean} [options.tlsAllowInvalidCertificates] Specifies whether or not the driver should error when the server’s TLS certificate is invalid
  88. * @param {boolean} [options.tlsAllowInvalidHostnames] Specifies whether or not the driver should error when there is a mismatch between the server’s hostname and the hostname specified by the TLS certificate
  89. * @param {boolean} [options.autoReconnect=true] Enable autoReconnect for single server instances
  90. * @param {boolean} [options.noDelay=true] TCP Connection no delay
  91. * @param {boolean} [options.keepAlive=true] TCP Connection keep alive enabled
  92. * @param {number} [options.keepAliveInitialDelay=30000] The number of milliseconds to wait before initiating keepAlive on the TCP socket
  93. * @param {number} [options.connectTimeoutMS=10000] How long to wait for a connection to be established before timing out
  94. * @param {number} [options.socketTimeoutMS=360000] How long a send or receive on a socket can take before timing out
  95. * @param {number} [options.family] Version of IP stack. Can be 4, 6 or null (default).
  96. * If null, will attempt to connect with IPv6, and will fall back to IPv4 on failure
  97. * @param {number} [options.reconnectTries=30] Server attempt to reconnect #times
  98. * @param {number} [options.reconnectInterval=1000] Server will wait # milliseconds between retries
  99. * @param {boolean} [options.ha=true] Control if high availability monitoring runs for Replicaset or Mongos proxies
  100. * @param {number} [options.haInterval=10000] The High availability period for replicaset inquiry
  101. * @param {string} [options.replicaSet=undefined] The Replicaset set name
  102. * @param {number} [options.secondaryAcceptableLatencyMS=15] Cutoff latency point in MS for Replicaset member selection
  103. * @param {number} [options.acceptableLatencyMS=15] Cutoff latency point in MS for Mongos proxies selection
  104. * @param {boolean} [options.connectWithNoPrimary=false] Sets if the driver should connect even if no primary is available
  105. * @param {string} [options.authSource=undefined] Define the database to authenticate against
  106. * @param {(number|string)} [options.w] The write concern
  107. * @param {number} [options.wtimeout] The write concern timeout
  108. * @param {boolean} [options.j=false] Specify a journal write concern
  109. * @param {boolean} [options.forceServerObjectId=false] Force server to assign _id values instead of driver
  110. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object
  111. * @param {Boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields
  112. * @param {boolean} [options.raw=false] Return document results as raw BSON buffers
  113. * @param {number} [options.bufferMaxEntries=-1] Sets a cap on how many operations the driver will buffer up before giving up on getting a working connection, default is -1 which is unlimited
  114. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST)
  115. * @param {object} [options.pkFactory] A primary key factory object for generation of custom _id keys
  116. * @param {object} [options.promiseLibrary] A Promise library class the application wishes to use such as Bluebird, must be ES6 compatible
  117. * @param {object} [options.readConcern] Specify a read concern for the collection (only MongoDB 3.2 or higher supported)
  118. * @param {ReadConcernLevel} [options.readConcern.level='local'] Specify a read concern level for the collection operations (only MongoDB 3.2 or higher supported)
  119. * @param {number} [options.maxStalenessSeconds=undefined] The max staleness to secondary reads (values under 10 seconds cannot be guaranteed)
  120. * @param {string} [options.loggerLevel=undefined] The logging level (error/warn/info/debug)
  121. * @param {object} [options.logger=undefined] Custom logger object
  122. * @param {boolean} [options.promoteValues=true] Promotes BSON values to native types where possible, set to false to only receive wrapper types
  123. * @param {boolean} [options.promoteBuffers=false] Promotes Binary BSON values to native Node Buffers
  124. * @param {boolean} [options.promoteLongs=true] Promotes long values to number if they fit inside the 53 bits resolution
  125. * @param {boolean} [options.domainsEnabled=false] Enable the wrapping of the callback in the current domain, disabled by default to avoid perf hit
  126. * @param {object} [options.validateOptions=false] Validate MongoClient passed in options for correctness
  127. * @param {string} [options.appname=undefined] The name of the application that created this MongoClient instance. MongoDB 3.4 and newer will print this value in the server log upon establishing each connection. It is also recorded in the slow query log and profile collections
  128. * @param {string} [options.auth.user=undefined] The username for auth
  129. * @param {string} [options.auth.password=undefined] The password for auth
  130. * @param {string} [options.authMechanism=undefined] Mechanism for authentication: MDEFAULT, GSSAPI, PLAIN, MONGODB-X509, or SCRAM-SHA-1
  131. * @param {object} [options.compression] Type of compression to use: snappy or zlib
  132. * @param {boolean} [options.fsync=false] Specify a file sync write concern
  133. * @param {array} [options.readPreferenceTags] Read preference tags
  134. * @param {number} [options.numberOfRetries=5] The number of retries for a tailable cursor
  135. * @param {boolean} [options.auto_reconnect=true] Enable auto reconnecting for single server instances
  136. * @param {boolean} [options.monitorCommands=false] Enable command monitoring for this client
  137. * @param {number} [options.minSize] If present, the connection pool will be initialized with minSize connections, and will never dip below minSize connections
  138. * @param {boolean} [options.useNewUrlParser=true] Determines whether or not to use the new url parser. Enables the new, spec-compliant, url parser shipped in the core driver. This url parser fixes a number of problems with the original parser, and aims to outright replace that parser in the near future. Defaults to true, and must be explicitly set to false to use the legacy url parser.
  139. * @param {boolean} [options.useUnifiedTopology] Enables the new unified topology layer
  140. * @param {Number} [options.localThresholdMS=15] **Only applies to the unified topology** The size of the latency window for selecting among multiple suitable servers
  141. * @param {Number} [options.serverSelectionTimeoutMS=30000] **Only applies to the unified topology** How long to block for server selection before throwing an error
  142. * @param {Number} [options.heartbeatFrequencyMS=10000] **Only applies to the unified topology** The frequency with which topology updates are scheduled
  143. * @param {number} [options.maxPoolSize=10] **Only applies to the unified topology** The maximum number of connections that may be associated with a pool at a given time. This includes in use and available connections.
  144. * @param {number} [options.minPoolSize=0] **Only applies to the unified topology** The minimum number of connections that MUST exist at any moment in a single connection pool.
  145. * @param {number} [options.maxIdleTimeMS] **Only applies to the unified topology** The maximum amount of time a connection should remain idle in the connection pool before being marked idle. The default is infinity.
  146. * @param {number} [options.waitQueueTimeoutMS=0] **Only applies to the unified topology** The maximum amount of time operation execution should wait for a connection to become available. The default is 0 which means there is no limit.
  147. * @param {AutoEncrypter~AutoEncryptionOptions} [options.autoEncryption] Optionally enable client side auto encryption
  148. * @param {DriverInfoOptions} [options.driverInfo] Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver
  149. * @param {MongoClient~connectCallback} [callback] The command result callback
  150. * @return {MongoClient} a MongoClient instance
  151. */
  152. function MongoClient(url, options) {
  153. if (!(this instanceof MongoClient)) return new MongoClient(url, options);
  154. // Set up event emitter
  155. EventEmitter.call(this);
  156. // The internal state
  157. this.s = {
  158. url: url,
  159. options: options || {},
  160. promiseLibrary: (options && options.promiseLibrary) || Promise,
  161. dbCache: new Map(),
  162. sessions: new Set(),
  163. writeConcern: WriteConcern.fromOptions(options),
  164. namespace: new MongoDBNamespace('admin')
  165. };
  166. }
  167. /**
  168. * @ignore
  169. */
  170. inherits(MongoClient, EventEmitter);
  171. Object.defineProperty(MongoClient.prototype, 'writeConcern', {
  172. enumerable: true,
  173. get: function() {
  174. return this.s.writeConcern;
  175. }
  176. });
  177. Object.defineProperty(MongoClient.prototype, 'readPreference', {
  178. enumerable: true,
  179. get: function() {
  180. return ReadPreference.primary;
  181. }
  182. });
  183. /**
  184. * The callback format for results
  185. * @callback MongoClient~connectCallback
  186. * @param {MongoError} error An error instance representing the error during the execution.
  187. * @param {MongoClient} client The connected client.
  188. */
  189. /**
  190. * Connect to MongoDB using a url as documented at
  191. *
  192. * docs.mongodb.org/manual/reference/connection-string/
  193. *
  194. * Note that for replicasets the replicaSet query parameter is required in the 2.0 driver
  195. *
  196. * @method
  197. * @param {MongoClient~connectCallback} [callback] The command result callback
  198. * @return {Promise<MongoClient>} returns Promise if no callback passed
  199. */
  200. MongoClient.prototype.connect = function(callback) {
  201. if (typeof callback === 'string') {
  202. throw new TypeError('`connect` only accepts a callback');
  203. }
  204. const client = this;
  205. return maybePromise(this, callback, cb => {
  206. const err = validOptions(client.s.options);
  207. if (err) return cb(err);
  208. connect(client, client.s.url, client.s.options, err => {
  209. if (err) return cb(err);
  210. cb(null, client);
  211. });
  212. });
  213. };
  214. MongoClient.prototype.logout = deprecate(function(options, callback) {
  215. if (typeof options === 'function') (callback = options), (options = {});
  216. if (typeof callback === 'function') callback(null, true);
  217. }, 'Multiple authentication is prohibited on a connected client, please only authenticate once per MongoClient');
  218. /**
  219. * Close the db and its underlying connections
  220. * @method
  221. * @param {boolean} [force=false] Force close, emitting no events
  222. * @param {Db~noResultCallback} [callback] The result callback
  223. * @return {Promise} returns Promise if no callback passed
  224. */
  225. MongoClient.prototype.close = function(force, callback) {
  226. if (typeof force === 'function') {
  227. callback = force;
  228. force = false;
  229. }
  230. const client = this;
  231. return maybePromise(this, callback, cb => {
  232. const completeClose = err => {
  233. client.emit('close', client);
  234. if (!(client.topology instanceof NativeTopology)) {
  235. for (const item of client.s.dbCache) {
  236. item[1].emit('close', client);
  237. }
  238. }
  239. client.removeAllListeners('close');
  240. cb(err);
  241. };
  242. if (client.topology == null) {
  243. completeClose();
  244. return;
  245. }
  246. client.topology.close(force, err => {
  247. const autoEncrypter = client.topology.s.options.autoEncrypter;
  248. if (!autoEncrypter) {
  249. completeClose(err);
  250. return;
  251. }
  252. autoEncrypter.teardown(force, err2 => completeClose(err || err2));
  253. });
  254. });
  255. };
  256. /**
  257. * Create a new Db instance sharing the current socket connections. Be aware that the new db instances are
  258. * related in a parent-child relationship to the original instance so that events are correctly emitted on child
  259. * db instances. Child db instances are cached so performing db('db1') twice will return the same instance.
  260. * You can control these behaviors with the options noListener and returnNonCachedInstance.
  261. *
  262. * @method
  263. * @param {string} [dbName] The name of the database we want to use. If not provided, use database name from connection string.
  264. * @param {object} [options] Optional settings.
  265. * @param {boolean} [options.noListener=false] Do not make the db an event listener to the original connection.
  266. * @param {boolean} [options.returnNonCachedInstance=false] Control if you want to return a cached instance or have a new one created
  267. * @return {Db}
  268. */
  269. MongoClient.prototype.db = function(dbName, options) {
  270. options = options || {};
  271. // Default to db from connection string if not provided
  272. if (!dbName) {
  273. dbName = this.s.options.dbName;
  274. }
  275. // Copy the options and add out internal override of the not shared flag
  276. const finalOptions = Object.assign({}, this.s.options, options);
  277. // Do we have the db in the cache already
  278. if (this.s.dbCache.has(dbName) && finalOptions.returnNonCachedInstance !== true) {
  279. return this.s.dbCache.get(dbName);
  280. }
  281. // Add promiseLibrary
  282. finalOptions.promiseLibrary = this.s.promiseLibrary;
  283. // If no topology throw an error message
  284. if (!this.topology) {
  285. throw new MongoError('MongoClient must be connected before calling MongoClient.prototype.db');
  286. }
  287. // Return the db object
  288. const db = new Db(dbName, this.topology, finalOptions);
  289. // Add the db to the cache
  290. this.s.dbCache.set(dbName, db);
  291. // Return the database
  292. return db;
  293. };
  294. /**
  295. * Check if MongoClient is connected
  296. *
  297. * @method
  298. * @param {object} [options] Optional settings.
  299. * @param {boolean} [options.noListener=false] Do not make the db an event listener to the original connection.
  300. * @param {boolean} [options.returnNonCachedInstance=false] Control if you want to return a cached instance or have a new one created
  301. * @return {boolean}
  302. */
  303. MongoClient.prototype.isConnected = function(options) {
  304. options = options || {};
  305. if (!this.topology) return false;
  306. return this.topology.isConnected(options);
  307. };
  308. /**
  309. * Connect to MongoDB using a url as documented at
  310. *
  311. * docs.mongodb.org/manual/reference/connection-string/
  312. *
  313. * Note that for replicasets the replicaSet query parameter is required in the 2.0 driver
  314. *
  315. * @method
  316. * @static
  317. * @param {string} url The connection URI string
  318. * @param {object} [options] Optional settings
  319. * @param {number} [options.poolSize=5] The maximum size of the individual server pool
  320. * @param {boolean} [options.ssl=false] Enable SSL connection. *deprecated* use `tls` variants
  321. * @param {boolean} [options.sslValidate=false] Validate mongod server certificate against Certificate Authority
  322. * @param {buffer} [options.sslCA=undefined] SSL Certificate store binary buffer *deprecated* use `tls` variants
  323. * @param {buffer} [options.sslCert=undefined] SSL Certificate binary buffer *deprecated* use `tls` variants
  324. * @param {buffer} [options.sslKey=undefined] SSL Key file binary buffer *deprecated* use `tls` variants
  325. * @param {string} [options.sslPass=undefined] SSL Certificate pass phrase *deprecated* use `tls` variants
  326. * @param {buffer} [options.sslCRL=undefined] SSL Certificate revocation list binary buffer *deprecated* use `tls` variants
  327. * @param {boolean|function} [options.checkServerIdentity=true] Ensure we check server identify during SSL, set to false to disable checking. Only works for Node 0.12.x or higher. You can pass in a boolean or your own checkServerIdentity override function. *deprecated* use `tls` variants
  328. * @param {boolean} [options.tls=false] Enable TLS connections
  329. * @param {boolean} [options.tlsInsecure=false] Relax TLS constraints, disabling validation
  330. * @param {string} [options.tlsCAFile] A path to file with either a single or bundle of certificate authorities to be considered trusted when making a TLS connection
  331. * @param {string} [options.tlsCertificateKeyFile] A path to the client certificate file or the client private key file; in the case that they both are needed, the files should be concatenated
  332. * @param {string} [options.tlsCertificateKeyFilePassword] The password to decrypt the client private key to be used for TLS connections
  333. * @param {boolean} [options.tlsAllowInvalidCertificates] Specifies whether or not the driver should error when the server’s TLS certificate is invalid
  334. * @param {boolean} [options.tlsAllowInvalidHostnames] Specifies whether or not the driver should error when there is a mismatch between the server’s hostname and the hostname specified by the TLS certificate
  335. * @param {boolean} [options.autoReconnect=true] Enable autoReconnect for single server instances
  336. * @param {boolean} [options.noDelay=true] TCP Connection no delay
  337. * @param {boolean} [options.keepAlive=true] TCP Connection keep alive enabled
  338. * @param {number} [options.keepAliveInitialDelay=30000] The number of milliseconds to wait before initiating keepAlive on the TCP socket
  339. * @param {number} [options.connectTimeoutMS=10000] How long to wait for a connection to be established before timing out
  340. * @param {number} [options.socketTimeoutMS=360000] How long a send or receive on a socket can take before timing out
  341. * @param {number} [options.family] Version of IP stack. Can be 4, 6 or null (default).
  342. * If null, will attempt to connect with IPv6, and will fall back to IPv4 on failure
  343. * @param {number} [options.reconnectTries=30] Server attempt to reconnect #times
  344. * @param {number} [options.reconnectInterval=1000] Server will wait # milliseconds between retries
  345. * @param {boolean} [options.ha=true] Control if high availability monitoring runs for Replicaset or Mongos proxies
  346. * @param {number} [options.haInterval=10000] The High availability period for replicaset inquiry
  347. * @param {string} [options.replicaSet=undefined] The Replicaset set name
  348. * @param {number} [options.secondaryAcceptableLatencyMS=15] Cutoff latency point in MS for Replicaset member selection
  349. * @param {number} [options.acceptableLatencyMS=15] Cutoff latency point in MS for Mongos proxies selection
  350. * @param {boolean} [options.connectWithNoPrimary=false] Sets if the driver should connect even if no primary is available
  351. * @param {string} [options.authSource=undefined] Define the database to authenticate against
  352. * @param {(number|string)} [options.w] The write concern
  353. * @param {number} [options.wtimeout] The write concern timeout
  354. * @param {boolean} [options.j=false] Specify a journal write concern
  355. * @param {boolean} [options.forceServerObjectId=false] Force server to assign _id values instead of driver
  356. * @param {boolean} [options.serializeFunctions=false] Serialize functions on any object
  357. * @param {Boolean} [options.ignoreUndefined=false] Specify if the BSON serializer should ignore undefined fields
  358. * @param {boolean} [options.raw=false] Return document results as raw BSON buffers
  359. * @param {number} [options.bufferMaxEntries=-1] Sets a cap on how many operations the driver will buffer up before giving up on getting a working connection, default is -1 which is unlimited
  360. * @param {(ReadPreference|string)} [options.readPreference] The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST)
  361. * @param {object} [options.pkFactory] A primary key factory object for generation of custom _id keys
  362. * @param {object} [options.promiseLibrary] A Promise library class the application wishes to use such as Bluebird, must be ES6 compatible
  363. * @param {object} [options.readConcern] Specify a read concern for the collection (only MongoDB 3.2 or higher supported)
  364. * @param {ReadConcernLevel} [options.readConcern.level='local'] Specify a read concern level for the collection operations (only MongoDB 3.2 or higher supported)
  365. * @param {number} [options.maxStalenessSeconds=undefined] The max staleness to secondary reads (values under 10 seconds cannot be guaranteed)
  366. * @param {string} [options.loggerLevel=undefined] The logging level (error/warn/info/debug)
  367. * @param {object} [options.logger=undefined] Custom logger object
  368. * @param {boolean} [options.promoteValues=true] Promotes BSON values to native types where possible, set to false to only receive wrapper types
  369. * @param {boolean} [options.promoteBuffers=false] Promotes Binary BSON values to native Node Buffers
  370. * @param {boolean} [options.promoteLongs=true] Promotes long values to number if they fit inside the 53 bits resolution
  371. * @param {boolean} [options.domainsEnabled=false] Enable the wrapping of the callback in the current domain, disabled by default to avoid perf hit
  372. * @param {object} [options.validateOptions=false] Validate MongoClient passed in options for correctness
  373. * @param {string} [options.appname=undefined] The name of the application that created this MongoClient instance. MongoDB 3.4 and newer will print this value in the server log upon establishing each connection. It is also recorded in the slow query log and profile collections
  374. * @param {string} [options.auth.user=undefined] The username for auth
  375. * @param {string} [options.auth.password=undefined] The password for auth
  376. * @param {string} [options.authMechanism=undefined] Mechanism for authentication: MDEFAULT, GSSAPI, PLAIN, MONGODB-X509, or SCRAM-SHA-1
  377. * @param {object} [options.compression] Type of compression to use: snappy or zlib
  378. * @param {boolean} [options.fsync=false] Specify a file sync write concern
  379. * @param {array} [options.readPreferenceTags] Read preference tags
  380. * @param {number} [options.numberOfRetries=5] The number of retries for a tailable cursor
  381. * @param {boolean} [options.auto_reconnect=true] Enable auto reconnecting for single server instances
  382. * @param {boolean} [options.monitorCommands=false] Enable command monitoring for this client
  383. * @param {number} [options.minSize] If present, the connection pool will be initialized with minSize connections, and will never dip below minSize connections
  384. * @param {boolean} [options.useNewUrlParser=true] Determines whether or not to use the new url parser. Enables the new, spec-compliant, url parser shipped in the core driver. This url parser fixes a number of problems with the original parser, and aims to outright replace that parser in the near future. Defaults to true, and must be explicitly set to false to use the legacy url parser.
  385. * @param {boolean} [options.useUnifiedTopology] Enables the new unified topology layer
  386. * @param {Number} [options.localThresholdMS=15] **Only applies to the unified topology** The size of the latency window for selecting among multiple suitable servers
  387. * @param {Number} [options.serverSelectionTimeoutMS=30000] **Only applies to the unified topology** How long to block for server selection before throwing an error
  388. * @param {Number} [options.heartbeatFrequencyMS=10000] **Only applies to the unified topology** The frequency with which topology updates are scheduled
  389. * @param {number} [options.maxPoolSize=10] **Only applies to the unified topology** The maximum number of connections that may be associated with a pool at a given time. This includes in use and available connections.
  390. * @param {number} [options.minPoolSize=0] **Only applies to the unified topology** The minimum number of connections that MUST exist at any moment in a single connection pool.
  391. * @param {number} [options.maxIdleTimeMS] **Only applies to the unified topology** The maximum amount of time a connection should remain idle in the connection pool before being marked idle. The default is infinity.
  392. * @param {number} [options.waitQueueTimeoutMS=0] **Only applies to the unified topology** The maximum amount of time operation execution should wait for a connection to become available. The default is 0 which means there is no limit.
  393. * @param {AutoEncrypter~AutoEncryptionOptions} [options.autoEncryption] Optionally enable client side auto encryption
  394. * @param {DriverInfoOptions} [options.driverInfo] Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver
  395. * @param {MongoClient~connectCallback} [callback] The command result callback
  396. * @return {Promise<MongoClient>} returns Promise if no callback passed
  397. */
  398. MongoClient.connect = function(url, options, callback) {
  399. const args = Array.prototype.slice.call(arguments, 1);
  400. callback = typeof args[args.length - 1] === 'function' ? args.pop() : undefined;
  401. options = args.length ? args.shift() : null;
  402. options = options || {};
  403. // Create client
  404. const mongoClient = new MongoClient(url, options);
  405. // Execute the connect method
  406. return mongoClient.connect(callback);
  407. };
  408. /**
  409. * Starts a new session on the server
  410. *
  411. * @param {SessionOptions} [options] optional settings for a driver session
  412. * @return {ClientSession} the newly established session
  413. */
  414. MongoClient.prototype.startSession = function(options) {
  415. options = Object.assign({ explicit: true }, options);
  416. if (!this.topology) {
  417. throw new MongoError('Must connect to a server before calling this method');
  418. }
  419. if (!this.topology.hasSessionSupport()) {
  420. throw new MongoError('Current topology does not support sessions');
  421. }
  422. return this.topology.startSession(options, this.s.options);
  423. };
  424. /**
  425. * Runs a given operation with an implicitly created session. The lifetime of the session
  426. * will be handled without the need for user interaction.
  427. *
  428. * NOTE: presently the operation MUST return a Promise (either explicit or implicity as an async function)
  429. *
  430. * @param {Object} [options] Optional settings to be appled to implicitly created session
  431. * @param {Function} operation An operation to execute with an implicitly created session. The signature of this MUST be `(session) => {}`
  432. * @return {Promise}
  433. */
  434. MongoClient.prototype.withSession = function(options, operation) {
  435. if (typeof options === 'function') (operation = options), (options = undefined);
  436. const session = this.startSession(options);
  437. let cleanupHandler = (err, result, opts) => {
  438. // prevent multiple calls to cleanupHandler
  439. cleanupHandler = () => {
  440. throw new ReferenceError('cleanupHandler was called too many times');
  441. };
  442. opts = Object.assign({ throw: true }, opts);
  443. session.endSession();
  444. if (err) {
  445. if (opts.throw) throw err;
  446. return Promise.reject(err);
  447. }
  448. };
  449. try {
  450. const result = operation(session);
  451. return Promise.resolve(result)
  452. .then(result => cleanupHandler(null, result))
  453. .catch(err => cleanupHandler(err, null, { throw: true }));
  454. } catch (err) {
  455. return cleanupHandler(err, null, { throw: false });
  456. }
  457. };
  458. /**
  459. * Create a new Change Stream, watching for new changes (insertions, updates, replacements, deletions, and invalidations) in this cluster. Will ignore all changes to system collections, as well as the local, admin,
  460. * and config databases.
  461. * @method
  462. * @since 3.1.0
  463. * @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.
  464. * @param {object} [options] Optional settings
  465. * @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.
  466. * @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.
  467. * @param {number} [options.maxAwaitTimeMS] The maximum amount of time for the server to wait on new documents to satisfy a change stream query
  468. * @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}.
  469. * @param {object} [options.collation] Specify collation settings for operation. See {@link https://www.mongodb.com/docs/manual/reference/command/aggregate|aggregation documentation}.
  470. * @param {ReadPreference} [options.readPreference] The read preference. See {@link https://www.mongodb.com/docs/manual/reference/read-preference|read preference documentation}.
  471. * @param {Timestamp} [options.startAtOperationTime] receive change events that occur after the specified timestamp
  472. * @param {ClientSession} [options.session] optional session to use for this operation
  473. * @return {ChangeStream} a ChangeStream instance.
  474. */
  475. MongoClient.prototype.watch = function(pipeline, options) {
  476. pipeline = pipeline || [];
  477. options = options || {};
  478. // Allow optionally not specifying a pipeline
  479. if (!Array.isArray(pipeline)) {
  480. options = pipeline;
  481. pipeline = [];
  482. }
  483. return new ChangeStream(this, pipeline, options);
  484. };
  485. /**
  486. * Return the mongo client logger
  487. * @method
  488. * @return {Logger} return the mongo client logger
  489. * @ignore
  490. */
  491. MongoClient.prototype.getLogger = function() {
  492. return this.s.options.logger;
  493. };
  494. module.exports = MongoClient;