diff --git a/docs/404.html b/docs/404.html index ef939e8cf63..1a8ae099da8 100644 --- a/docs/404.html +++ b/docs/404.html @@ -7,16 +7,16 @@ - + 404 Page not found - - - - - - + + + + + + @@ -26,8 +26,8 @@
@@ -81,13 +81,13 @@

404: Page not found

- - - - - - - + + + + + + +

Class AbstractCursor<TSchema, CursorEvents>Abstract

Type Parameters

Hierarchy (view full)

Implements

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Frees any client-side resources used by the cursor.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: TSchema) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T = any

    Parameters

    • transform: ((doc: TSchema) => T)

      The mapping transformation method.

      +

    Returns AbstractCursor<T, AbstractCursorEvents>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns CursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<TSchema[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/Admin.html b/docs/6.14/classes/Admin.html new file mode 100644 index 00000000000..dff6cf5d7f2 --- /dev/null +++ b/docs/6.14/classes/Admin.html @@ -0,0 +1,55 @@ +Admin | mongodb

Class Admin

The Admin class is an internal class that allows convenient access to +the admin functionality and commands for MongoDB.

+

ADMIN Cannot directly be instantiated

+
import { MongoClient } from 'mongodb';

const client = new MongoClient('mongodb://localhost:27017');
const admin = client.db().admin();
const dbInfo = await admin.listDatabases();
for (const db of dbInfo.databases) {
console.log(db.name);
} +
+ +

Methods

  • Execute a command

    +

    The driver will ensure the following fields are attached to the command sent to the server:

    +
      +
    • lsid - sourced from an implicit session or options.session
    • +
    • $readPreference - defaults to primary or can be configured by options.readPreference
    • +
    • $db - sourced from the name of this database
    • +
    +

    If the client has a serverApi setting:

    +
      +
    • apiVersion
    • +
    • apiStrict
    • +
    • apiDeprecationErrors
    • +
    +

    When in a transaction:

    +
      +
    • readConcern - sourced from readConcern set on the TransactionOptions
    • +
    • writeConcern - sourced from writeConcern set on the TransactionOptions
    • +
    +

    Attaching any of the above fields to the command will have no effect as the driver will overwrite the value.

    +

    Parameters

    Returns Promise<Document>

  • Remove a user from a database

    +

    Parameters

    • username: string

      The username to remove

      +
    • Optionaloptions: CommandOperationOptions

      Optional settings for the command

      +

    Returns Promise<boolean>

  • Validate an existing collection

    +

    Parameters

    • collectionName: string

      The name of the collection to validate.

      +
    • options: ValidateCollectionOptions = {}

      Optional settings for the command

      +

    Returns Promise<Document>

diff --git a/docs/6.14/classes/AggregationCursor.html b/docs/6.14/classes/AggregationCursor.html new file mode 100644 index 00000000000..3291a76f8f7 --- /dev/null +++ b/docs/6.14/classes/AggregationCursor.html @@ -0,0 +1,560 @@ +AggregationCursor | mongodb

Class AggregationCursor<TSchema>

The AggregationCursor class is an internal class that embodies an aggregation cursor on MongoDB +allowing for iteration over the results returned from the underlying query. It supports +one by one document iteration, conversion to an array or can be iterated as a Node 4.X +or higher stream

+

Type Parameters

  • TSchema = any

Hierarchy (view full)

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
pipeline: Document[]
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: TSchema) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T

    Parameters

    • transform: ((doc: TSchema) => T)

      The mapping transformation method.

      +

    Returns AggregationCursor<T>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Add an out stage to the aggregation pipeline

    +

    Parameters

    • $out: string | {
          coll: string;
          db: string;
      }

    Returns this

  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Add a project stage to the aggregation pipeline

    +

    Type Parameters

    Parameters

    Returns AggregationCursor<T>

    In order to strictly type this function you must provide an interface +that represents the effect of your projection on the result documents.

    +

    By default chaining a projection to your cursor changes the returned type to the generic Document type. +You should specify a parameterized type to have assertions on your final results.

    +
    // Best way
    const docs: AggregationCursor<{ a: number }> = cursor.project<{ a: number }>({ _id: 0, a: true });
    // Flexible way
    const docs: AggregationCursor<Document> = cursor.project({ _id: 0, a: true }); +
    + +
    const cursor: AggregationCursor<{ a: number; b: string }> = coll.aggregate([]);
    const projectCursor = cursor.project<{ a: number }>({ _id: 0, a: true });
    const aPropOnlyArray: {a: number}[] = await projectCursor.toArray();

    // or always use chaining and save the final cursor

    const cursor = coll.aggregate().project<{ a: string }>({
    _id: 0,
    a: { $convert: { input: '$a', to: 'string' }
    }}); +
    + +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<TSchema[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/BSON.BSONError.html b/docs/6.14/classes/BSON.BSONError.html new file mode 100644 index 00000000000..f7991f8bfe9 --- /dev/null +++ b/docs/6.14/classes/BSON.BSONError.html @@ -0,0 +1,17 @@ +BSONError | mongodb

Class BSONError

Hierarchy (view full)

Constructors

  • Parameters

    • message: string
    • Optionaloptions: {
          cause?: unknown;
      }
      • Optionalcause?: unknown

    Returns BSONError

Properties

cause?: unknown
message: string
stack?: string
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get name(): string
  • Returns string

Methods

  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

  • All errors thrown from the BSON library inherit from BSONError. +This method can assist with determining if an error originates from the BSON library +even if it does not pass an instanceof check against this class' constructor.

    +

    Parameters

    • value: unknown

      any javascript value that needs type checking

      +

    Returns value is BSONError

diff --git a/docs/6.14/classes/BSON.BSONOffsetError.html b/docs/6.14/classes/BSON.BSONOffsetError.html new file mode 100644 index 00000000000..8d57847ce6f --- /dev/null +++ b/docs/6.14/classes/BSON.BSONOffsetError.html @@ -0,0 +1,18 @@ +BSONOffsetError | mongodb

Class BSONOffsetErrorExperimental

Hierarchy (view full)

Constructors

  • Experimental

    Parameters

    • message: string
    • offset: number
    • Optionaloptions: {
          cause?: unknown;
      }
      • Optionalcause?: unknown

    Returns BSONOffsetError

Properties

cause?: unknown
message: string
offset: number
stack?: string
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get name(): "BSONOffsetError"
  • Experimental

    Returns "BSONOffsetError"

Methods

  • Experimental

    Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

  • All errors thrown from the BSON library inherit from BSONError. +This method can assist with determining if an error originates from the BSON library +even if it does not pass an instanceof check against this class' constructor.

    +

    Parameters

    • value: unknown

      any javascript value that needs type checking

      +

    Returns value is BSONError

diff --git a/docs/6.14/classes/BSON.BSONRegExp.html b/docs/6.14/classes/BSON.BSONRegExp.html new file mode 100644 index 00000000000..13c32f32661 --- /dev/null +++ b/docs/6.14/classes/BSON.BSONRegExp.html @@ -0,0 +1,12 @@ +BSONRegExp | mongodb

Class BSONRegExp

A class representation of the BSON RegExp type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

  • Parameters

    • pattern: string

      The regular expression pattern to match

      +
    • Optionaloptions: string

      The regular expression options

      +

    Returns BSONRegExp

Properties

options: string
pattern: string

Accessors

  • get _bsontype(): "BSONRegExp"
  • Returns "BSONRegExp"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Parameters

    • Optionaloptions: string

    Returns string

diff --git a/docs/6.14/classes/BSON.BSONRuntimeError.html b/docs/6.14/classes/BSON.BSONRuntimeError.html new file mode 100644 index 00000000000..fdb3607dba6 --- /dev/null +++ b/docs/6.14/classes/BSON.BSONRuntimeError.html @@ -0,0 +1,17 @@ +BSONRuntimeError | mongodb

Class BSONRuntimeError

Hierarchy (view full)

Constructors

Properties

cause?: unknown
message: string
stack?: string
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get name(): "BSONRuntimeError"
  • Returns "BSONRuntimeError"

Methods

  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

  • All errors thrown from the BSON library inherit from BSONError. +This method can assist with determining if an error originates from the BSON library +even if it does not pass an instanceof check against this class' constructor.

    +

    Parameters

    • value: unknown

      any javascript value that needs type checking

      +

    Returns value is BSONError

diff --git a/docs/6.14/classes/BSON.BSONSymbol.html b/docs/6.14/classes/BSON.BSONSymbol.html new file mode 100644 index 00000000000..23562f51694 --- /dev/null +++ b/docs/6.14/classes/BSON.BSONSymbol.html @@ -0,0 +1,14 @@ +BSONSymbol | mongodb

Class BSONSymbol

A class representation of the BSON Symbol type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

Properties

value: string

Accessors

  • get _bsontype(): "BSONSymbol"
  • Returns "BSONSymbol"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Returns string

  • Returns a string representation of an object.

    +

    Returns string

  • Access the wrapped string value.

    +

    Returns string

diff --git a/docs/6.14/classes/BSON.BSONValue.html b/docs/6.14/classes/BSON.BSONValue.html new file mode 100644 index 00000000000..171772b2d4a --- /dev/null +++ b/docs/6.14/classes/BSON.BSONValue.html @@ -0,0 +1,6 @@ +BSONValue | mongodb

Class BSONValueAbstract

Hierarchy (view full)

Constructors

Accessors

Methods

Constructors

Accessors

  • get _bsontype(): string
  • Returns string

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

diff --git a/docs/6.14/classes/BSON.BSONVersionError.html b/docs/6.14/classes/BSON.BSONVersionError.html new file mode 100644 index 00000000000..32f4e34a69b --- /dev/null +++ b/docs/6.14/classes/BSON.BSONVersionError.html @@ -0,0 +1,17 @@ +BSONVersionError | mongodb

Class BSONVersionError

Hierarchy (view full)

Constructors

Properties

cause?: unknown
message: string
stack?: string
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get name(): "BSONVersionError"
  • Returns "BSONVersionError"

Methods

  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

  • All errors thrown from the BSON library inherit from BSONError. +This method can assist with determining if an error originates from the BSON library +even if it does not pass an instanceof check against this class' constructor.

    +

    Parameters

    • value: unknown

      any javascript value that needs type checking

      +

    Returns value is BSONError

diff --git a/docs/6.14/classes/BSON.Binary.html b/docs/6.14/classes/BSON.Binary.html new file mode 100644 index 00000000000..cfaf73c0e3f --- /dev/null +++ b/docs/6.14/classes/BSON.Binary.html @@ -0,0 +1,119 @@ +Binary | mongodb

Class Binary

A class representation of the BSON Binary type.

+

Hierarchy (view full)

Constructors

  • Create a new Binary instance.

    +

    Parameters

    • Optionalbuffer: BinarySequence

      a buffer object containing the binary data.

      +
    • OptionalsubType: number

      the option binary type.

      +

    Returns Binary

Properties

buffer: Uint8Array

The bytes of the Binary value.

+

The format of a Binary value in BSON is defined as:

+
binary	::= int32 subtype (byte*)
+
+ +

This buffer is the "(byte*)" segment.

+

Unless the value is subtype 2, then deserialize will read the first 4 bytes as an int32 and set this to the remaining bytes.

+
binary	::= int32 unsigned_byte(2) int32 (byte*)
+
+ +
position: number

The Binary's buffer can be larger than the Binary's content. +This property is used to determine where the content ends in the buffer.

+
sub_type: number

The binary subtype.

+

Current defined values are:

+
    +
  • unsigned_byte(0) Generic binary subtype
  • +
  • unsigned_byte(1) Function
  • +
  • unsigned_byte(2) Binary (Deprecated)
  • +
  • unsigned_byte(3) UUID (Deprecated)
  • +
  • unsigned_byte(4) UUID
  • +
  • unsigned_byte(5) MD5
  • +
  • unsigned_byte(6) Encrypted BSON value
  • +
  • unsigned_byte(7) Compressed BSON column
  • +
  • unsigned_byte(8) Sensitive
  • +
  • unsigned_byte(9) Vector
  • +
  • unsigned_byte(128) - unsigned_byte(255) User defined
  • +
+
BUFFER_SIZE: 256 = 256

Initial buffer default size

+
SUBTYPE_BYTE_ARRAY: 2 = 2

Byte Array BSON type

+
SUBTYPE_COLUMN: 7 = 7

Column BSON type

+
SUBTYPE_DEFAULT: 0 = 0

Default BSON type

+
SUBTYPE_ENCRYPTED: 6 = 6

Encrypted BSON type

+
SUBTYPE_FUNCTION: 1 = 1

Function BSON type

+
SUBTYPE_MD5: 5 = 5

MD5 BSON type

+
SUBTYPE_SENSITIVE: 8 = 8

Sensitive BSON type

+
SUBTYPE_USER_DEFINED: 128 = 128

User BSON type

+
SUBTYPE_UUID: 4 = 4

UUID BSON type

+
SUBTYPE_UUID_OLD: 3 = 3

Deprecated UUID BSON type

+

Please use SUBTYPE_UUID

+
SUBTYPE_VECTOR: 9 = 9

Vector BSON type

+
VECTOR_TYPE: Readonly<{
    Float32: 39;
    Int8: 3;
    PackedBit: 16;
}>

datatype of a Binary Vector (subtype: 9)

+

Accessors

  • get _bsontype(): "Binary"
  • Returns "Binary"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • the length of the binary sequence

    +

    Returns number

  • Updates this binary with byte_value.

    +

    Parameters

    • byteValue:
          | string
          | number
          | Uint8Array
          | number[]

      a single byte we wish to write.

      +

    Returns void

  • Returns a view of length bytes starting at position.

    +

    Parameters

    • position: number

      read from the given position in the Binary.

      +
    • length: number

      the number of bytes to read.

      +

    Returns Uint8Array

  • If this Binary represents a Packed bit Vector (binary.buffer[0] === Binary.VECTOR_TYPE.PackedBit), +returns a copy of the bit unpacked into a new Int8Array.

    +

    Use toPackedBits to get the bits still in packed form.

    +

    If the Binary is not a Vector, or the datatype is not PackedBit, an error is thrown.

    +

    Returns Int8Array

  • If this Binary represents a Float32 Vector (binary.buffer[0] === Binary.VECTOR_TYPE.Float32), +returns a copy of the bytes in a new Float32Array.

    +

    If the Binary is not a Vector, or the datatype is not Float32, an error is thrown.

    +

    Returns Float32Array

  • If this Binary represents a Int8 Vector (binary.buffer[0] === Binary.VECTOR_TYPE.Int8), +returns a copy of the bytes in a new Int8Array.

    +

    If the Binary is not a Vector, or the datatype is not Int8, an error is thrown.

    +

    Returns Int8Array

  • Returns string

  • If this Binary represents packed bit Vector (binary.buffer[0] === Binary.VECTOR_TYPE.PackedBit), +returns a copy of the bytes that are packed bits.

    +

    Use toBits to get the unpacked bits.

    +

    If the Binary is not a Vector, or the datatype is not PackedBit, an error is thrown.

    +

    Returns Uint8Array

  • Returns a string representation of an object.

    +

    Parameters

    • Optionalencoding:
          | "utf8"
          | "utf-8"
          | "base64"
          | "hex"

    Returns string

  • Returns UUID

  • returns a view of the binary value as a Uint8Array

    +

    Returns Uint8Array

  • Writes a buffer to the binary.

    +

    Parameters

    • sequence: BinarySequence

      a string or buffer to be written to the Binary BSON object.

      +
    • offset: number

      specify the binary of where to write the content.

      +

    Returns void

  • Creates an Binary instance from a base64 string

    +

    Parameters

    • base64: string
    • OptionalsubType: number

    Returns Binary

  • Creates an Binary instance from a hex digit string

    +

    Parameters

    • hex: string
    • OptionalsubType: number

    Returns Binary

  • Constructs a Binary representing an Packed Bit Vector.

    +

    Parameters

    • bits: ArrayLike<number>

    Returns Binary

  • Constructs a Binary representing an Float32 Vector.

    +

    Parameters

    • array: Float32Array

    Returns Binary

  • Constructs a Binary representing an Int8 Vector.

    +

    Parameters

    • array: Int8Array

      The array to store as a view on the Binary class

      +

    Returns Binary

  • Constructs a Binary representing a packed bit Vector.

    +

    Use fromBits to pack an array of 1s and 0s.

    +

    Parameters

    • array: Uint8Array
    • Optionalpadding: number

    Returns Binary

diff --git a/docs/6.14/classes/BSON.Code.html b/docs/6.14/classes/BSON.Code.html new file mode 100644 index 00000000000..248e78f9125 --- /dev/null +++ b/docs/6.14/classes/BSON.Code.html @@ -0,0 +1,12 @@ +Code | mongodb

Class Code

A class representation of the BSON Code type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

  • Parameters

    • code: string | Function

      a string or function.

      +
    • Optionalscope: null | Document

      an optional scope for the function.

      +

    Returns Code

Properties

code: string
scope: null | Document

Accessors

  • get _bsontype(): "Code"
  • Returns "Code"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Returns {
        code: string;
        scope?: Document;
    }

diff --git a/docs/6.14/classes/BSON.DBRef.html b/docs/6.14/classes/BSON.DBRef.html new file mode 100644 index 00000000000..42dd729c151 --- /dev/null +++ b/docs/6.14/classes/BSON.DBRef.html @@ -0,0 +1,15 @@ +DBRef | mongodb

Class DBRef

A class representation of the BSON DBRef type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

  • Parameters

    • collection: string

      the collection name.

      +
    • oid: ObjectId

      the reference ObjectId.

      +
    • Optionaldb: string

      optional db name, if omitted the reference is local to the current db.

      +
    • Optionalfields: Document

    Returns DBRef

Properties

collection: string
db?: string
fields: Document

Accessors

  • get _bsontype(): "DBRef"
  • Returns "DBRef"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

diff --git a/docs/6.14/classes/BSON.Decimal128.html b/docs/6.14/classes/BSON.Decimal128.html new file mode 100644 index 00000000000..f1c4505a19c --- /dev/null +++ b/docs/6.14/classes/BSON.Decimal128.html @@ -0,0 +1,23 @@ +Decimal128 | mongodb

Class Decimal128

A class representation of the BSON Decimal128 type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

  • Parameters

    • bytes: string | Uint8Array

      a buffer containing the raw Decimal128 bytes in little endian order, +or a string representation as returned by .toString()

      +

    Returns Decimal128

Properties

bytes: Uint8Array

Accessors

  • get _bsontype(): "Decimal128"
  • Returns "Decimal128"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Create a string representation of the raw Decimal128 value

    +

    Returns string

  • Create a Decimal128 instance from a string representation

    +

    Parameters

    • representation: string

      a numeric string representation.

      +

    Returns Decimal128

  • Create a Decimal128 instance from a string representation, allowing for rounding to 34 +significant digits

    +

    Parameters

    • representation: string

      a numeric string representation.

      +

    Returns Decimal128

    > let d = Decimal128.fromString('37.499999999999999196428571428571375')
    Uncaught:
    BSONError: "37.499999999999999196428571428571375" is not a valid Decimal128 string - inexact rounding
    at invalidErr (/home/wajames/js-bson/lib/bson.cjs:1402:11)
    at Decimal128.fromStringInternal (/home/wajames/js-bson/lib/bson.cjs:1633:25)
    at Decimal128.fromString (/home/wajames/js-bson/lib/bson.cjs:1424:27)

    > d = Decimal128.fromStringWithRounding('37.499999999999999196428571428571375')
    new Decimal128("37.49999999999999919642857142857138") +
    + +
diff --git a/docs/6.14/classes/BSON.Double.html b/docs/6.14/classes/BSON.Double.html new file mode 100644 index 00000000000..6ad55ba4d19 --- /dev/null +++ b/docs/6.14/classes/BSON.Double.html @@ -0,0 +1,27 @@ +Double | mongodb

Class Double

A class representation of the BSON Double type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

  • Create a Double type

    +

    Parameters

    • value: number

      the number we want to represent as a double.

      +

    Returns Double

Properties

value: number

Accessors

  • get _bsontype(): "Double"
  • Returns "Double"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Returns number

  • Returns a string representation of an object.

    +

    Parameters

    • Optionalradix: number

    Returns string

  • Access the number value.

    +

    Returns number

    returns the wrapped double number.

    +
  • Attempt to create an double type from string.

    +

    This method will throw a BSONError on any string input that is not representable as a IEEE-754 64-bit double. +Notably, this method will also throw on the following string formats:

    +
      +
    • Strings in non-decimal and non-exponential formats (binary, hex, or octal digits)
    • +
    • Strings with characters other than numeric, floating point, or leading sign characters (Note: 'Infinity', '-Infinity', and 'NaN' input strings are still allowed)
    • +
    • Strings with leading and/or trailing whitespace
    • +
    +

    Strings with leading zeros, however, are also allowed

    +

    Parameters

    • value: string

      the string we want to represent as a double.

      +

    Returns Double

diff --git a/docs/6.14/classes/BSON.Int32.html b/docs/6.14/classes/BSON.Int32.html new file mode 100644 index 00000000000..b088a7037c5 --- /dev/null +++ b/docs/6.14/classes/BSON.Int32.html @@ -0,0 +1,27 @@ +Int32 | mongodb

Class Int32

A class representation of a BSON Int32 type.

+

Hierarchy (view full)

Constructors

Properties

Accessors

Methods

Constructors

  • Create an Int32 type

    +

    Parameters

    • value: string | number

      the number we want to represent as an int32.

      +

    Returns Int32

Properties

value: number

Accessors

  • get _bsontype(): "Int32"
  • Returns "Int32"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Returns number

  • Returns a string representation of an object.

    +

    Parameters

    • Optionalradix: number

    Returns string

  • Access the number value.

    +

    Returns number

    returns the wrapped int32 number.

    +
  • Attempt to create an Int32 type from string.

    +

    This method will throw a BSONError on any string input that is not representable as an Int32. +Notably, this method will also throw on the following string formats:

    +
      +
    • Strings in non-decimal formats (exponent notation, binary, hex, or octal digits)
    • +
    • Strings non-numeric and non-leading sign characters (ex: '2.0', '24,000')
    • +
    • Strings with leading and/or trailing whitespace
    • +
    +

    Strings with leading zeros, however, are allowed.

    +

    Parameters

    • value: string

      the string we want to represent as an int32.

      +

    Returns Int32

diff --git a/docs/6.14/classes/BSON.Long.html b/docs/6.14/classes/BSON.Long.html new file mode 100644 index 00000000000..8f0a4ec75f2 --- /dev/null +++ b/docs/6.14/classes/BSON.Long.html @@ -0,0 +1,337 @@ +Long | mongodb

Class Long

A class representing a 64-bit integer

+

The internal representation of a long is the two given signed, 32-bit values. +We use 32-bit pieces because these are the size of integers on which +Javascript performs bit-operations. For operations like addition and +multiplication, we split each number into 16 bit pieces, which can easily be +multiplied within Javascript's floating-point representation without overflow +or change in sign. +In the algorithms below, we frequently reduce the negative case to the +positive case by negating the input(s) and then post-processing the result. +Note that we must ALWAYS check specially whether those values are MIN_VALUE +(-2^63) because -MIN_VALUE == MIN_VALUE (since 2^63 cannot be represented as +a positive number, it overflows back into a negative). Not handling this +case would often result in infinite recursion. +Common constant values ZERO, ONE, NEG_ONE, etc. are found as static properties on this class.

+

Hierarchy (view full)

Constructors

  • Constructs a 64 bit two's-complement integer, given its low and high 32 bit values as signed integers.

    +

    Parameters

    • low: number

      The low (signed) 32 bits of the long

      +
    • Optionalhigh: number

      The high (signed) 32 bits of the long

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

  • Constructs a 64 bit two's-complement integer, given a bigint representation.

    +

    Parameters

    • value: bigint

      BigInt representation of the long value

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

  • Constructs a 64 bit two's-complement integer, given a string representation.

    +

    Parameters

    • value: string

      String representation of the long value

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

Properties

high: number

The high 32 bits as a signed value.

+
low: number

The low 32 bits as a signed value.

+
unsigned: boolean

Whether unsigned or not.

+
MAX_UNSIGNED_VALUE: Long

Maximum unsigned value.

+
MAX_VALUE: Long

Maximum signed value.

+
MIN_VALUE: Long

Minimum signed value.

+
NEG_ONE: Long

Signed negative one.

+
ONE: Long

Signed one.

+
TWO_PWR_24: Long
UONE: Long

Unsigned one.

+
UZERO: Long

Unsigned zero.

+
ZERO: Long

Signed zero

+

Accessors

  • get __isLong__(): boolean
  • An indicator used to reliably determine if an object is a Long or not.

    +

    Returns boolean

  • get _bsontype(): "Long"
  • Returns "Long"

Methods

  • Returns the sum of this and the specified Long.

    +

    Parameters

    • addend:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • Returns the sum of this and the specified Long.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

    Sum

    +
  • This is an alias of Long.compare

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns -1 | 0 | 1

  • Compares this Long's value with the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns -1 | 0 | 1

    0 if they are the same, 1 if the this is greater and -1 if the given one is greater

    +
  • This is an alias of Long.divide

    +

    Parameters

    • divisor:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • Returns this Long divided by the specified. The result is signed if this Long is signed or unsigned if this Long is unsigned.

    +

    Parameters

    • divisor:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

    Quotient

    +
  • This is an alias of Long.equals

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Tests if this Long's value equals the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

      Other value

      +

    Returns boolean

  • This is an alias of Long.isZero

    +

    Returns boolean

  • This is an alias of Long.greaterThanOrEqual

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Gets the high 32 bits as a signed integer.

    +

    Returns number

  • Gets the high 32 bits as an unsigned integer.

    +

    Returns number

  • Gets the low 32 bits as a signed integer.

    +

    Returns number

  • Gets the low 32 bits as an unsigned integer.

    +

    Returns number

  • Gets the number of bits needed to represent the absolute value of this Long.

    +

    Returns number

  • Tests if this Long's value is greater than the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Tests if this Long's value is greater than or equal the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • This is an alias of Long.greaterThan

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • This is an alias of Long.greaterThanOrEqual

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Tests if this Long's value is even.

    +

    Returns boolean

  • Tests if this Long's value is negative.

    +

    Returns boolean

  • Tests if this Long's value is odd.

    +

    Returns boolean

  • Tests if this Long's value is positive.

    +

    Returns boolean

  • Tests if this Long's value equals zero.

    +

    Returns boolean

  • This is an alias of Long.lessThanOrEqual

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Tests if this Long's value is less than the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Tests if this Long's value is less than or equal the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • This is an alias of Long#lessThan.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • This is an alias of Long.lessThanOrEqual

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • This is an alias of Long.modulo

    +

    Parameters

    • divisor:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • Returns this Long modulo the specified.

    +

    Parameters

    • divisor:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • This is an alias of Long.multiply

    +

    Parameters

    • multiplier:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • Returns the product of this and the specified Long.

    +

    Parameters

    • multiplier:
          | string
          | number
          | Timestamp
          | Long

      Multiplier

      +

    Returns Long

    Product

    +
  • This is an alias of Long.notEquals

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • This is an alias of Long.negate

    +

    Returns Long

  • Returns the Negation of this Long's value.

    +

    Returns Long

  • This is an alias of Long.notEquals

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Returns the bitwise NOT of this Long.

    +

    Returns Long

  • Tests if this Long's value differs from the specified's.

    +

    Parameters

    • other:
          | string
          | number
          | Timestamp
          | Long

    Returns boolean

  • Returns the bitwise OR of this Long and the specified.

    +

    Parameters

    • other: string | number | Long

    Returns Long

  • This is an alias of Long.modulo

    +

    Parameters

    • divisor:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • Returns this Long with bits shifted to the left by the given amount.

    +

    Parameters

    • numBits: number | Long

      Number of bits

      +

    Returns Long

    Shifted Long

    +
  • Returns this Long with bits arithmetically shifted to the right by the given amount.

    +

    Parameters

    • numBits: number | Long

      Number of bits

      +

    Returns Long

    Shifted Long

    +
  • Returns this Long with bits logically shifted to the right by the given amount.

    +

    Parameters

    • numBits: number | Long

      Number of bits

      +

    Returns Long

    Shifted Long

    +
  • This is an alias of Long.shiftLeft

    +

    Parameters

    • numBits: number | Long

    Returns Long

  • This is an alias of Long.shiftRight

    +

    Parameters

    • numBits: number | Long

    Returns Long

  • This is an alias of Long.subtract

    +

    Parameters

    • subtrahend:
          | string
          | number
          | Timestamp
          | Long

    Returns Long

  • Returns the difference of this and the specified Long.

    +

    Parameters

    • subtrahend:
          | string
          | number
          | Timestamp
          | Long

      Subtrahend

      +

    Returns Long

    Difference

    +
  • Converts the Long to a BigInt (arbitrary precision).

    +

    Returns bigint

  • Converts this Long to its byte representation.

    +

    Parameters

    • Optionalle: boolean

      Whether little or big endian, defaults to big endian

      +

    Returns number[]

    Byte representation

    +
  • Converts this Long to its big endian byte representation.

    +

    Returns number[]

    Big endian byte representation

    +
  • Converts this Long to its little endian byte representation.

    +

    Returns number[]

    Little endian byte representation

    +
  • Converts the Long to a 32 bit integer, assuming it is a 32 bit integer.

    +

    Returns number

  • Converts the Long to a the nearest floating-point representation of this value (double, 53 bit mantissa).

    +

    Returns number

  • Converts this Long to signed.

    +

    Returns Long

  • Converts the Long to a string written in the specified radix.

    +

    Parameters

    • Optionalradix: number

      Radix (2-36), defaults to 10

      +

    Returns string

    RangeError If radix is out of range

    +
  • Converts this Long to unsigned.

    +

    Returns Long

  • Returns the bitwise XOR of this Long and the given one.

    +

    Parameters

    • other: string | number | Long

    Returns Long

  • Returns a Long representing the given value, provided that it is a finite number. Otherwise, zero is returned.

    +

    Parameters

    • value: bigint

      The number in question

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a Long representing the 64 bit integer that comes by concatenating the given low and high bits. +Each is assumed to use 32 bits.

    +

    Parameters

    • lowBits: number

      The low 32 bits

      +
    • highBits: number

      The high 32 bits

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Creates a Long from its byte representation.

    +

    Parameters

    • bytes: number[]

      Byte representation

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +
    • Optionalle: boolean

      Whether little or big endian, defaults to big endian

      +

    Returns Long

    The corresponding Long value

    +
  • Creates a Long from its big endian byte representation.

    +

    Parameters

    • bytes: number[]

      Big endian byte representation

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Creates a Long from its little endian byte representation.

    +

    Parameters

    • bytes: number[]

      Little endian byte representation

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Parameters

    • doc: {
          $numberLong: string;
      }
      • $numberLong: string
    • Optionaloptions: EJSONOptions

    Returns number | bigint | Long

  • Returns a Long representing the given 32 bit integer value.

    +

    Parameters

    • value: number

      The 32 bit integer in question

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a Long representing the given value, provided that it is a finite number. Otherwise, zero is returned.

    +

    Parameters

    • value: number

      The number in question

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a signed Long representation of the given string, written using radix 10.

    +

    If the input string is empty, this function will throw a BSONError.

    +

    If input string does not have valid signed 64-bit Long representation, this method will return a coerced value:

    +
      +
    • inputs that overflow 64-bit signed long will be coerced to Long.MAX_VALUE and Long.MIN_VALUE respectively
    • +
    • 'NaN' or '+/-Infinity' are coerced to Long.ZERO
    • +
    • other invalid characters sequences have variable behavior
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a signed Long representation of the given string, written using the provided radix.

    +

    If the input string is empty or a provided radix is not within (2-36), this function will throw a BSONError.

    +

    If input parameters do not have valid signed 64-bit Long representation, this method will return a coerced value:

    +
      +
    • inputs that overflow 64-bit signed long will be coerced to Long.MAX_VALUE and Long.MIN_VALUE respectively
    • +
    • if the radix is less than 24, 'NaN' is coerced to Long.ZERO
    • +
    • if the radix is less than 35, '+/-Infinity' inputs are coerced to Long.ZERO
    • +
    • other invalid characters sequences have variable behavior
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +
    • Optionalradix: number

      The radix in which the text is written (2-36), defaults to 10

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a Long representation of the given string, written using radix 10.

    +

    If the input string is empty, this function will throw a BSONError.

    +

    If input parameters do not have a valid 64-bit Long representation, this method will return a coerced value:

    +
      +
    • inputs that overflow 64-bit long will be coerced to max or min (if signed) values
    • +
    • if the radix is less than 24, 'NaN' is coerced to Long.ZERO
    • +
    • if the radix is less than 35, '+/-Infinity' inputs are coerced to Long.ZERO
    • +
    • other invalid characters sequences have variable behavior
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a Long representation of the given string, written using the specified radix.

    +

    If the input string is empty or a provided radix is not within (2-36), this function will throw a BSONError.

    +

    If input parameters do not have a valid 64-bit Long representation, this method will return a coerced value:

    +
      +
    • inputs that overflow 64-bit long will be coerced to max or min (if signed) values
    • +
    • if the radix is less than 24, 'NaN' is coerced to Long.ZERO
    • +
    • if the radix is less than 35, '+/-Infinity' inputs are coerced to Long.ZERO
    • +
    • other invalid characters sequences have variable behavior
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +
    • Optionalradix: number

      The radix in which the text is written (2-36), defaults to 10

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a signed Long representation of the given string, written using radix 10. +Will throw an error if the given text is not exactly representable as a Long. +Throws an error if any of the following conditions are true:

    +
      +
    • the string contains invalid characters for the radix 10
    • +
    • the string contains whitespace
    • +
    • the value the string represents is too large or too small to be a Long +Unlike Long.fromString, this method does not coerce '+/-Infinity' and 'NaN' to Long.Zero
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a Long representation of the given string, written using the radix 10. +Will throw an error if the given parameters are not exactly representable as a Long. +Throws an error if any of the following conditions are true:

    +
      +
    • the string contains invalid characters for the given radix
    • +
    • the string contains whitespace
    • +
    • the value the string represents is too large or too small to be a Long +Unlike Long.fromString, this method does not coerce '+/-Infinity' and 'NaN' to Long.Zero
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a signed Long representation of the given string, written using the specified radix. +Will throw an error if the given parameters are not exactly representable as a Long. +Throws an error if any of the following conditions are true:

    +
      +
    • the string contains invalid characters for the given radix
    • +
    • the string contains whitespace
    • +
    • the value the string represents is too large or too small to be a Long +Unlike Long.fromString, this method does not coerce '+/-Infinity' and 'NaN' to Long.Zero
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +
    • Optionalradix: boolean

      The radix in which the text is written (2-36), defaults to 10

      +

    Returns Long

    The corresponding Long value

    +
  • Returns a Long representation of the given string, written using the specified radix. +Will throw an error if the given parameters are not exactly representable as a Long. +Throws an error if any of the following conditions are true:

    +
      +
    • the string contains invalid characters for the given radix
    • +
    • the string contains whitespace
    • +
    • the value the string represents is too large or too small to be a Long +Unlike Long.fromString, this method does not coerce '+/-Infinity' and 'NaN' to Long.Zero
    • +
    +

    Parameters

    • str: string

      The textual representation of the Long

      +
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +
    • Optionalradix: number

      The radix in which the text is written (2-36), defaults to 10

      +

    Returns Long

    The corresponding Long value

    +
  • Converts the specified value to a Long.

    +

    Parameters

    • val: string | number | {
          high: number;
          low: number;
          unsigned?: boolean;
      }
    • Optionalunsigned: boolean

      Whether unsigned or not, defaults to signed

      +

    Returns Long

  • Tests if the specified object is a Long.

    +

    Parameters

    • value: unknown

    Returns value is Long

diff --git a/docs/6.14/classes/BSON.MaxKey.html b/docs/6.14/classes/BSON.MaxKey.html new file mode 100644 index 00000000000..d849f72bafc --- /dev/null +++ b/docs/6.14/classes/BSON.MaxKey.html @@ -0,0 +1,7 @@ +MaxKey | mongodb

Class MaxKey

A class representation of the BSON MaxKey type.

+

Hierarchy (view full)

Constructors

Accessors

Methods

Constructors

Accessors

  • get _bsontype(): "MaxKey"
  • Returns "MaxKey"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Returns string

diff --git a/docs/6.14/classes/BSON.MinKey.html b/docs/6.14/classes/BSON.MinKey.html new file mode 100644 index 00000000000..1c0d1c82348 --- /dev/null +++ b/docs/6.14/classes/BSON.MinKey.html @@ -0,0 +1,7 @@ +MinKey | mongodb

Class MinKey

A class representation of the BSON MinKey type.

+

Hierarchy (view full)

Constructors

Accessors

Methods

Constructors

Accessors

  • get _bsontype(): "MinKey"
  • Returns "MinKey"

Methods

  • Prints a human-readable string of BSON value information +If invoked manually without node.js.inspect function, this will default to a modified JSON.stringify

    +

    Returns string

diff --git a/docs/6.14/classes/BSON.ObjectId.html b/docs/6.14/classes/BSON.ObjectId.html new file mode 100644 index 00000000000..6ea27e28303 --- /dev/null +++ b/docs/6.14/classes/BSON.ObjectId.html @@ -0,0 +1,50 @@ +ObjectId | mongodb

Class ObjectId

A class representation of the BSON ObjectId type.

+

Hierarchy (view full)

Constructors

  • Create ObjectId from a number.

    +

    Parameters

    • inputId: number

      A number.

      +

    Returns ObjectId

    Instead, use static createFromTime() to set a numeric value for the new ObjectId.

    +
  • Create ObjectId from a 24 character hex string.

    +

    Parameters

    • inputId: string

      A 24 character hex string.

      +

    Returns ObjectId

  • Create ObjectId from the BSON ObjectId type.

    +

    Parameters

    • inputId: ObjectId

      The BSON ObjectId type.

      +

    Returns ObjectId

  • Create ObjectId from the object type that has the toHexString method.

    +

    Parameters

    Returns ObjectId

  • Create ObjectId from a 12 byte binary Buffer.

    +

    Parameters

    • inputId: Uint8Array

      A 12 byte binary Buffer.

      +

    Returns ObjectId

  • To generate a new ObjectId, use ObjectId() with no argument.

    +

    Returns ObjectId

  • Implementation overload.

    +

    Parameters

    • OptionalinputId:
          | string
          | number
          | Uint8Array
          | ObjectId
          | ObjectIdLike

      All input types that are used in the constructor implementation.

      +

    Returns ObjectId

Properties

cacheHexString: boolean

Accessors

  • get _bsontype(): "ObjectId"
  • Returns "ObjectId"

  • get id(): Uint8Array
  • The ObjectId bytes

    +

    Returns Uint8Array

Methods

  • Compares the equality of this ObjectId with otherID.

    +

    Parameters

    • otherId:
          | undefined
          | null
          | string
          | ObjectId
          | ObjectIdLike

      ObjectId instance to compare against.

      +

    Returns boolean

  • Returns the generation date (accurate up to the second) that this ID was generated.

    +

    Returns Date

  • Converts to a string representation of this Id.

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

    return the 24 character hex string representation.

    +
  • Returns the ObjectId id as a 24 lowercase character hex string representation

    +

    Returns string

  • Converts to its JSON the 24 character hex string representation.

    +

    Returns string

  • Converts the id into a 24 character hex string for printing, unless encoding is provided.

    +

    Parameters

    • Optionalencoding: "base64" | "hex"

      hex or base64

      +

    Returns string

  • Creates an ObjectId instance from a base64 string

    +

    Parameters

    • base64: string

    Returns ObjectId

  • Creates an ObjectId from a hex string representation of an ObjectId.

    +

    Parameters

    • hexString: string

      create a ObjectId from a passed in 24 character hexstring.

      +

    Returns ObjectId

  • Creates an ObjectId from a second based number, with the rest of the ObjectId zeroed out. Used for comparisons or sorting the ObjectId.

    +

    Parameters

    • time: number

      an integer number representing a number of seconds.

      +

    Returns ObjectId

  • Generate a 12 byte id buffer used in ObjectId's

    +

    Parameters

    • Optionaltime: number

      pass in a second based timestamp.

      +

    Returns Uint8Array

  • Checks if a value can be used to create a valid bson ObjectId

    +

    Parameters

    • id:
          | string
          | number
          | Uint8Array
          | ObjectId
          | ObjectIdLike

      any JS value

      +

    Returns boolean

diff --git a/docs/6.14/classes/BSON.Timestamp.html b/docs/6.14/classes/BSON.Timestamp.html new file mode 100644 index 00000000000..72b345746db --- /dev/null +++ b/docs/6.14/classes/BSON.Timestamp.html @@ -0,0 +1,169 @@ +Timestamp | mongodb

Class Timestamp

Hierarchy (view full)

Constructors

  • Parameters

    • int: bigint

      A 64-bit bigint representing the Timestamp.

      +

    Returns Timestamp

  • Parameters

    • long: Long

      A 64-bit Long representing the Timestamp.

      +

    Returns Timestamp

  • Parameters

    • value: {
          i: number;
          t: number;
      }

      A pair of two values indicating timestamp and increment.

      +
      • i: number
      • t: number

    Returns Timestamp

Properties

__isLong__: boolean
add: ((addend:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

    • (addend): Long
    • Returns the sum of this and the specified Long.

      +

      Parameters

      • addend:
            | string
            | number
            | Timestamp
            | Long

      Returns Long

and: ((other:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

    • (other): Long
    • Returns the sum of this and the specified Long.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns Long

      Sum

      +
comp: ((other:
    | string
    | number
    | Timestamp
    | Long) => -1 | 0 | 1)

Type declaration

    • (other): -1 | 0 | 1
    • This is an alias of Long.compare

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns -1 | 0 | 1

compare: ((other:
    | string
    | number
    | Timestamp
    | Long) => -1 | 0 | 1)

Type declaration

    • (other): -1 | 0 | 1
    • Compares this Long's value with the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns -1 | 0 | 1

      0 if they are the same, 1 if the this is greater and -1 if the given one is greater

      +
div: ((divisor:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

divide: ((divisor:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

    • (divisor): Long
    • Returns this Long divided by the specified. The result is signed if this Long is signed or unsigned if this Long is unsigned.

      +

      Parameters

      • divisor:
            | string
            | number
            | Timestamp
            | Long

      Returns Long

      Quotient

      +
eq: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • This is an alias of Long.equals

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

equals: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • Tests if this Long's value equals the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

        Other value

        +

      Returns boolean

eqz: (() => boolean)

Type declaration

    • (): boolean
    • This is an alias of Long.isZero

      +

      Returns boolean

ge: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

getHighBits: (() => number)

Type declaration

    • (): number
    • Gets the high 32 bits as a signed integer.

      +

      Returns number

getHighBitsUnsigned: (() => number)

Type declaration

    • (): number
    • Gets the high 32 bits as an unsigned integer.

      +

      Returns number

getLowBits: (() => number)

Type declaration

    • (): number
    • Gets the low 32 bits as a signed integer.

      +

      Returns number

getLowBitsUnsigned: (() => number)

Type declaration

    • (): number
    • Gets the low 32 bits as an unsigned integer.

      +

      Returns number

getNumBitsAbs: (() => number)

Type declaration

    • (): number
    • Gets the number of bits needed to represent the absolute value of this Long.

      +

      Returns number

greaterThan: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • Tests if this Long's value is greater than the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

greaterThanOrEqual: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • Tests if this Long's value is greater than or equal the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

gt: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • This is an alias of Long.greaterThan

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

gte: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

high: number
isEven: (() => boolean)

Type declaration

    • (): boolean
    • Tests if this Long's value is even.

      +

      Returns boolean

isNegative: (() => boolean)

Type declaration

    • (): boolean
    • Tests if this Long's value is negative.

      +

      Returns boolean

isOdd: (() => boolean)

Type declaration

    • (): boolean
    • Tests if this Long's value is odd.

      +

      Returns boolean

isPositive: (() => boolean)

Type declaration

    • (): boolean
    • Tests if this Long's value is positive.

      +

      Returns boolean

isZero: (() => boolean)

Type declaration

    • (): boolean
    • Tests if this Long's value equals zero.

      +

      Returns boolean

le: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

lessThan: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • Tests if this Long's value is less than the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

lessThanOrEqual: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • Tests if this Long's value is less than or equal the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

low: number
lt: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • This is an alias of Long#lessThan.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

lte: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

mod: ((divisor:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

modulo: ((divisor:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

    • (divisor): Long
    • Returns this Long modulo the specified.

      +

      Parameters

      • divisor:
            | string
            | number
            | Timestamp
            | Long

      Returns Long

mul: ((multiplier:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

multiply: ((multiplier:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

    • (multiplier): Long
    • Returns the product of this and the specified Long.

      +

      Parameters

      • multiplier:
            | string
            | number
            | Timestamp
            | Long

        Multiplier

        +

      Returns Long

      Product

      +
ne: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • This is an alias of Long.notEquals

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

neg: (() => Long)

Type declaration

negate: (() => Long)

Type declaration

    • (): Long
    • Returns the Negation of this Long's value.

      +

      Returns Long

neq: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • This is an alias of Long.notEquals

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

not: (() => Long)

Type declaration

    • (): Long
    • Returns the bitwise NOT of this Long.

      +

      Returns Long

notEquals: ((other:
    | string
    | number
    | Timestamp
    | Long) => boolean)

Type declaration

    • (other): boolean
    • Tests if this Long's value differs from the specified's.

      +

      Parameters

      • other:
            | string
            | number
            | Timestamp
            | Long

      Returns boolean

or: ((other: string | number | Long) => Long)

Type declaration

    • (other): Long
    • Returns the bitwise OR of this Long and the specified.

      +

      Parameters

      • other: string | number | Long

      Returns Long

rem: ((divisor:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

shiftLeft: ((numBits: number | Long) => Long)

Type declaration

    • (numBits): Long
    • Returns this Long with bits shifted to the left by the given amount.

      +

      Parameters

      • numBits: number | Long

        Number of bits

        +

      Returns Long

      Shifted Long

      +
shiftRight: ((numBits: number | Long) => Long)

Type declaration

    • (numBits): Long
    • Returns this Long with bits arithmetically shifted to the right by the given amount.

      +

      Parameters

      • numBits: number | Long

        Number of bits

        +

      Returns Long

      Shifted Long

      +
shiftRightUnsigned: ((numBits: number | Long) => Long)

Type declaration

    • (numBits): Long
    • Returns this Long with bits logically shifted to the right by the given amount.

      +

      Parameters

      • numBits: number | Long

        Number of bits

        +

      Returns Long

      Shifted Long

      +
shl: ((numBits: number | Long) => Long)

Type declaration

shr: ((numBits: number | Long) => Long)

Type declaration

shr_u: ((numBits: number | Long) => Long)

Type declaration

shru: ((numBits: number | Long) => Long)

Type declaration

sub: ((subtrahend:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

subtract: ((subtrahend:
    | string
    | number
    | Timestamp
    | Long) => Long)

Type declaration

    • (subtrahend): Long
    • Returns the difference of this and the specified Long.

      +

      Parameters

      • subtrahend:
            | string
            | number
            | Timestamp
            | Long

        Subtrahend

        +

      Returns Long

      Difference

      +
toBigInt: (() => bigint)

Type declaration

    • (): bigint
    • Converts the Long to a BigInt (arbitrary precision).

      +

      Returns bigint

toBytes: ((le?: boolean) => number[])

Type declaration

    • (le?): number[]
    • Converts this Long to its byte representation.

      +

      Parameters

      • Optionalle: boolean

        Whether little or big endian, defaults to big endian

        +

      Returns number[]

      Byte representation

      +
toBytesBE: (() => number[])

Type declaration

    • (): number[]
    • Converts this Long to its big endian byte representation.

      +

      Returns number[]

      Big endian byte representation

      +
toBytesLE: (() => number[])

Type declaration

    • (): number[]
    • Converts this Long to its little endian byte representation.

      +

      Returns number[]

      Little endian byte representation

      +
toInt: (() => number)

Type declaration

    • (): number
    • Converts the Long to a 32 bit integer, assuming it is a 32 bit integer.

      +

      Returns number

toNumber: (() => number)

Type declaration

    • (): number
    • Converts the Long to a the nearest floating-point representation of this value (double, 53 bit mantissa).

      +

      Returns number

toSigned: (() => Long)

Type declaration

    • (): Long
    • Converts this Long to signed.

      +

      Returns Long

toString: ((radix?: number) => string)

Type declaration

    • (radix?): string
    • Converts the Long to a string written in the specified radix.

      +

      Parameters

      • Optionalradix: number

        Radix (2-36), defaults to 10

        +

      Returns string

      RangeError If radix is out of range

      +
toUnsigned: (() => Long)

Type declaration

    • (): Long
    • Converts this Long to unsigned.

      +

      Returns Long

unsigned: boolean
xor: ((other: string | number | Long) => Long)

Type declaration

    • (other): Long
    • Returns the bitwise XOR of this Long and the given one.

      +

      Parameters

      • other: string | number | Long

      Returns Long

MAX_VALUE: Long

Accessors

  • get _bsontype(): "Timestamp"
  • Returns "Timestamp"

  • get i(): number
  • An incrementing ordinal for operations within a given second.

    +

    Returns number

  • get t(): number
  • A time_t value measuring seconds since the Unix epoch

    +

    Returns number

Methods

  • Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

  • Returns {
        $timestamp: string;
    }

    • $timestamp: string
  • Returns a Timestamp for the given high and low bits. Each is assumed to use 32 bits.

    +

    Parameters

    • lowBits: number

      the low 32-bits.

      +
    • highBits: number

      the high 32-bits.

      +

    Returns Timestamp

  • Returns a Timestamp represented by the given (32-bit) integer value.

    +

    Parameters

    • value: number

    Returns Timestamp

  • Returns a Timestamp representing the given number value, provided that it is a finite number. Otherwise, zero is returned.

    +

    Parameters

    • value: number

    Returns Timestamp

  • Returns a Timestamp from the given string, optionally using the given radix.

    +

    Parameters

    • str: string

      the textual representation of the Timestamp.

      +
    • optRadix: number

      the radix in which the text is written.

      +

    Returns Timestamp

diff --git a/docs/6.14/classes/BSON.UUID.html b/docs/6.14/classes/BSON.UUID.html new file mode 100644 index 00000000000..f63aea49d75 --- /dev/null +++ b/docs/6.14/classes/BSON.UUID.html @@ -0,0 +1,137 @@ +UUID | mongodb

Class UUID

A class representation of the BSON UUID type.

+

Hierarchy (view full)

Constructors

  • Create a UUID type

    +

    When the argument to the constructor is omitted a random v4 UUID will be generated.

    +

    Parameters

    • Optionalinput: string | Uint8Array | UUID

      Can be a 32 or 36 character hex string (dashes excluded/included) or a 16 byte binary Buffer.

      +

    Returns UUID

Properties

buffer: Uint8Array

The bytes of the Binary value.

+

The format of a Binary value in BSON is defined as:

+
binary	::= int32 subtype (byte*)
+
+ +

This buffer is the "(byte*)" segment.

+

Unless the value is subtype 2, then deserialize will read the first 4 bytes as an int32 and set this to the remaining bytes.

+
binary	::= int32 unsigned_byte(2) int32 (byte*)
+
+ +
position: number

The Binary's buffer can be larger than the Binary's content. +This property is used to determine where the content ends in the buffer.

+
sub_type: number

The binary subtype.

+

Current defined values are:

+
    +
  • unsigned_byte(0) Generic binary subtype
  • +
  • unsigned_byte(1) Function
  • +
  • unsigned_byte(2) Binary (Deprecated)
  • +
  • unsigned_byte(3) UUID (Deprecated)
  • +
  • unsigned_byte(4) UUID
  • +
  • unsigned_byte(5) MD5
  • +
  • unsigned_byte(6) Encrypted BSON value
  • +
  • unsigned_byte(7) Compressed BSON column
  • +
  • unsigned_byte(8) Sensitive
  • +
  • unsigned_byte(9) Vector
  • +
  • unsigned_byte(128) - unsigned_byte(255) User defined
  • +
+
BUFFER_SIZE: 256 = 256

Initial buffer default size

+
SUBTYPE_BYTE_ARRAY: 2 = 2

Byte Array BSON type

+
SUBTYPE_COLUMN: 7 = 7

Column BSON type

+
SUBTYPE_DEFAULT: 0 = 0

Default BSON type

+
SUBTYPE_ENCRYPTED: 6 = 6

Encrypted BSON type

+
SUBTYPE_FUNCTION: 1 = 1

Function BSON type

+
SUBTYPE_MD5: 5 = 5

MD5 BSON type

+
SUBTYPE_SENSITIVE: 8 = 8

Sensitive BSON type

+
SUBTYPE_USER_DEFINED: 128 = 128

User BSON type

+
SUBTYPE_UUID: 4 = 4

UUID BSON type

+
SUBTYPE_UUID_OLD: 3 = 3

Deprecated UUID BSON type

+

Please use SUBTYPE_UUID

+
SUBTYPE_VECTOR: 9 = 9

Vector BSON type

+
VECTOR_TYPE: Readonly<{
    Float32: 39;
    Int8: 3;
    PackedBit: 16;
}>

datatype of a Binary Vector (subtype: 9)

+

Accessors

  • get _bsontype(): "Binary"
  • Returns "Binary"

  • get id(): Uint8Array
  • The UUID bytes

    +

    Returns Uint8Array

Methods

  • Compares the equality of this UUID with otherID.

    +

    Parameters

    • otherId: string | Uint8Array | UUID

      UUID instance to compare against.

      +

    Returns boolean

  • Converts to a string representation of this Id.

    +

    Parameters

    • Optionaldepth: number
    • Optionaloptions: unknown
    • Optionalinspect: InspectFn

    Returns string

    return the 36 character hex string representation.

    +
  • the length of the binary sequence

    +

    Returns number

  • Updates this binary with byte_value.

    +

    Parameters

    • byteValue:
          | string
          | number
          | Uint8Array
          | number[]

      a single byte we wish to write.

      +

    Returns void

  • Returns a view of length bytes starting at position.

    +

    Parameters

    • position: number

      read from the given position in the Binary.

      +
    • length: number

      the number of bytes to read.

      +

    Returns Uint8Array

  • Creates a Binary instance from the current UUID.

    +

    Returns Binary

  • If this Binary represents a Packed bit Vector (binary.buffer[0] === Binary.VECTOR_TYPE.PackedBit), +returns a copy of the bit unpacked into a new Int8Array.

    +

    Use toPackedBits to get the bits still in packed form.

    +

    If the Binary is not a Vector, or the datatype is not PackedBit, an error is thrown.

    +

    Returns Int8Array

  • If this Binary represents a Float32 Vector (binary.buffer[0] === Binary.VECTOR_TYPE.Float32), +returns a copy of the bytes in a new Float32Array.

    +

    If the Binary is not a Vector, or the datatype is not Float32, an error is thrown.

    +

    Returns Float32Array

  • Returns the UUID id as a 32 or 36 character hex string representation, excluding/including dashes (defaults to 36 character dash separated)

    +

    Parameters

    • OptionalincludeDashes: boolean

      should the string exclude dash-separators.

      +

    Returns string

  • If this Binary represents a Int8 Vector (binary.buffer[0] === Binary.VECTOR_TYPE.Int8), +returns a copy of the bytes in a new Int8Array.

    +

    If the Binary is not a Vector, or the datatype is not Int8, an error is thrown.

    +

    Returns Int8Array

  • Converts the id into its JSON string representation. +A 36 character (dashes included) hex string in the format: xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx

    +

    Returns string

  • If this Binary represents packed bit Vector (binary.buffer[0] === Binary.VECTOR_TYPE.PackedBit), +returns a copy of the bytes that are packed bits.

    +

    Use toBits to get the unpacked bits.

    +

    If the Binary is not a Vector, or the datatype is not PackedBit, an error is thrown.

    +

    Returns Uint8Array

  • Converts the id into a 36 character (dashes included) hex string, unless a encoding is specified.

    +

    Parameters

    • Optionalencoding: "base64" | "hex"

    Returns string

  • returns a view of the binary value as a Uint8Array

    +

    Returns Uint8Array

  • Writes a buffer to the binary.

    +

    Parameters

    • sequence: BinarySequence

      a string or buffer to be written to the Binary BSON object.

      +
    • offset: number

      specify the binary of where to write the content.

      +

    Returns void

  • Creates an UUID from a base64 string representation of an UUID.

    +

    Parameters

    • base64: string

    Returns UUID

  • Creates an UUID from a hex string representation of an UUID.

    +

    Parameters

    • hexString: string

      32 or 36 character hex string (dashes excluded/included).

      +

    Returns UUID

  • Constructs a Binary representing an Packed Bit Vector.

    +

    Parameters

    • bits: ArrayLike<number>

    Returns Binary

  • Constructs a Binary representing an Float32 Vector.

    +

    Parameters

    • array: Float32Array

    Returns Binary

  • Constructs a Binary representing an Int8 Vector.

    +

    Parameters

    • array: Int8Array

      The array to store as a view on the Binary class

      +

    Returns Binary

  • Constructs a Binary representing a packed bit Vector.

    +

    Use fromBits to pack an array of 1s and 0s.

    +

    Parameters

    • array: Uint8Array
    • Optionalpadding: number

    Returns Binary

  • Generates a populated buffer containing a v4 uuid

    +

    Returns Uint8Array

  • Checks if a value is a valid bson UUID

    +

    Parameters

    • input:
          | string
          | Uint8Array
          | Binary
          | UUID

      UUID, string or Buffer to validate.

      +

    Returns boolean

diff --git a/docs/6.14/classes/Batch.html b/docs/6.14/classes/Batch.html new file mode 100644 index 00000000000..450a61f0fc9 --- /dev/null +++ b/docs/6.14/classes/Batch.html @@ -0,0 +1,11 @@ +Batch | mongodb

Class Batch<T>

Keeps the state of a unordered batch so we can rewrite the results +correctly after command execution

+

Type Parameters

Constructors

Properties

batchType: BatchType
currentIndex: number
operations: T[]
originalIndexes: number[]
originalZeroIndex: number
size: number
sizeBytes: number
diff --git a/docs/6.14/classes/BulkOperationBase.html b/docs/6.14/classes/BulkOperationBase.html new file mode 100644 index 00000000000..2c28547f6fd --- /dev/null +++ b/docs/6.14/classes/BulkOperationBase.html @@ -0,0 +1,22 @@ +BulkOperationBase | mongodb

Class BulkOperationBaseAbstract

Hierarchy (view full)

Properties

isOrdered: boolean
operationId?: number

Accessors

Methods

  • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. +Returns a builder object used to complete the definition of the operation.

    +

    Parameters

    Returns FindOperators

    const bulkOp = collection.initializeOrderedBulkOp();

    // Add an updateOne to the bulkOp
    bulkOp.find({ a: 1 }).updateOne({ $set: { b: 2 } });

    // Add an updateMany to the bulkOp
    bulkOp.find({ c: 3 }).update({ $set: { d: 4 } });

    // Add an upsert
    bulkOp.find({ e: 5 }).upsert().updateOne({ $set: { f: 6 } });

    // Add a deletion
    bulkOp.find({ g: 7 }).deleteOne();

    // Add a multi deletion
    bulkOp.find({ h: 8 }).delete();

    // Add a replaceOne
    bulkOp.find({ i: 9 }).replaceOne({writeConcern: { j: 10 }});

    // Update using a pipeline (requires Mongodb 4.2 or higher)
    bulk.find({ k: 11, y: { $exists: true }, z: { $exists: true } }).updateOne([
    { $set: { total: { $sum: [ '$y', '$z' ] } } }
    ]);

    // All of the ops will now be executed
    await bulkOp.execute(); +
    + +
  • Add a single insert document to the bulk operation

    +

    Parameters

    Returns BulkOperationBase

    const bulkOp = collection.initializeOrderedBulkOp();

    // Adds three inserts to the bulkOp.
    bulkOp
    .insert({ a: 1 })
    .insert({ b: 2 })
    .insert({ c: 3 });
    await bulkOp.execute(); +
    + +
diff --git a/docs/6.14/classes/BulkWriteResult.html b/docs/6.14/classes/BulkWriteResult.html new file mode 100644 index 00000000000..fc6e9672908 --- /dev/null +++ b/docs/6.14/classes/BulkWriteResult.html @@ -0,0 +1,34 @@ +BulkWriteResult | mongodb

Class BulkWriteResult

The result of a bulk write.

+

Properties

deletedCount: number

Number of documents deleted.

+
insertedCount: number

Number of documents inserted.

+
insertedIds: {
    [key: number]: any;
}

Inserted document generated Id's, hash key is the index of the originating operation

+
matchedCount: number

Number of documents matched for update.

+
modifiedCount: number

Number of documents modified.

+
upsertedCount: number

Number of documents upserted.

+
upsertedIds: {
    [key: number]: any;
}

Upserted document generated Id's, hash key is the index of the originating operation

+

Accessors

  • get ok(): number
  • Evaluates to true if the bulk operation correctly executes

    +

    Returns number

Methods

  • Returns the number of write errors off the bulk operation

    +

    Returns number

  • Returns true if the bulk operation contains a write error

    +

    Returns boolean

diff --git a/docs/6.14/classes/CancellationToken.html b/docs/6.14/classes/CancellationToken.html new file mode 100644 index 00000000000..01ed532b403 --- /dev/null +++ b/docs/6.14/classes/CancellationToken.html @@ -0,0 +1,424 @@ +CancellationToken | mongodb

Class CancellationToken

Hierarchy (view full)

Constructors

Properties

captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    • event: symbol | EventKey
    • Rest...args: Parameters<{
          cancel(): void;
      }[EventKey]>

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    Returns number

    v3.2.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    });
    console.log(util.inspect(server.listeners('connection')));
    // Prints: [ [Function] ] +
    + +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    Returns {
        cancel(): void;
    }[EventKey][]

    v0.1.26

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    • event: EventKey
    • listener: {
          cancel(): void;
      }[EventKey]

      The callback function

      +

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    • event: EventKey
    • listener: {
          cancel(): void;
      }[EventKey]

      The callback function

      +

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    • event: EventKey
    • listener: {
          cancel(): void;
      }[EventKey]

      The callback function

      +

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    • event: EventKey
    • listener: {
          cancel(): void;
      }[EventKey]

      The callback function

      +

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    Returns {
        cancel(): void;
    }[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "cancel"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/ChangeStream.html b/docs/6.14/classes/ChangeStream.html new file mode 100644 index 00000000000..df302c5ee9a --- /dev/null +++ b/docs/6.14/classes/ChangeStream.html @@ -0,0 +1,467 @@ +ChangeStream | mongodb

Class ChangeStream<TSchema, TChange>

Creates a new Change Stream instance. Normally created using Collection.watch().

+

Type Parameters

Hierarchy (view full)

Implements

Properties

[asyncDispose]: (() => Promise<void>)

An alias for ChangeStream.close|ChangeStream.close().

+
namespace: MongoDBNamespace
options: ChangeStreamOptions & {
    writeConcern?: undefined;
}

WriteConcern can still be present on the options because +we inherit options from the client/db/collection. The +key must be present on the options in order to delete it. +This allows typescript to delete the key but will +not allow a writeConcern to be assigned as a property on options.

+
pipeline: Document[]
streamOptions?: CursorStreamOptions
type: symbol
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CHANGE: "change" = CHANGE

Fired for each new matching change in the specified namespace. Attaching a change +event listener to a Change Stream will switch the stream into flowing mode. Data will +then be passed as soon as it is available.

+
CLOSE: "close" = CLOSE
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
END: "end" = END
ERROR: "error" = ERROR
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+
INIT: "init" = INIT
MORE: "more" = MORE
RESPONSE: "response" = RESPONSE
RESUME_TOKEN_CHANGED: "resumeTokenChanged" = RESUME_TOKEN_CHANGED

Emitted each time the change stream stores a new resume token.

+

Accessors

  • get resumeToken(): unknown
  • The cached resume token that is used to resume after the most recently returned change.

    +

    Returns unknown

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Frees the internal resources used by the change stream.

    +

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Check if there is any document still available in the Change Stream

    +

    Returns Promise<boolean>

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    Parameters

    Returns ChangeStreamEvents<TSchema, TChange>[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Return a modified Readable stream including a possible transform method.

    +

    NOTE: When using a Stream to process change stream events, the stream will +NOT automatically resume in the case a resumable error is encountered.

    +

    Parameters

    Returns Readable & AsyncIterable<TChange>

    MongoChangeStreamError if the underlying cursor or the change stream is closed

    +
  • Try to get the next available document from the Change Stream's cursor or null if an empty batch is returned

    +

    Returns Promise<null | TChange>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/ClientEncryption.html b/docs/6.14/classes/ClientEncryption.html new file mode 100644 index 00000000000..c8bd6191a9c --- /dev/null +++ b/docs/6.14/classes/ClientEncryption.html @@ -0,0 +1,119 @@ +ClientEncryption | mongodb

Class ClientEncryption

The public interface for explicit in-use encryption

+

Constructors

  • Create a new encryption instance

    +

    Parameters

    Returns ClientEncryption

    new ClientEncryption(mongoClient, {
    keyVaultNamespace: 'client.encryption',
    kmsProviders: {
    local: {
    key: masterKey // The master key used for encryption/decryption. A 96-byte long Buffer
    }
    }
    }); +
    + +
    new ClientEncryption(mongoClient, {
    keyVaultNamespace: 'client.encryption',
    kmsProviders: {
    aws: {
    accessKeyId: AWS_ACCESS_KEY,
    secretAccessKey: AWS_SECRET_KEY
    }
    }
    }); +
    + +

Accessors

Methods

  • Adds a keyAltName to a key identified by the provided _id.

    +

    This method resolves to/returns the old key value (prior to adding the new altKeyName).

    +

    Parameters

    • _id: Binary

      The id of the document to update.

      +
    • keyAltName: string

      a keyAltName to search for a key

      +

    Returns Promise<null | WithId<DataKey>>

    Returns a promise that either resolves to a DataKey if a document matches the key or null if no documents +match the id. The promise rejects with an error if an error is thrown.

    +
    // adding an keyAltName to a data key
    const id = new Binary(); // id is a bson binary subtype 4 object
    const keyAltName = 'keyAltName';
    const oldKey = await clientEncryption.addKeyAltName(id, keyAltName);
    if (!oldKey) {
    // null is returned if there is no matching document with an id matching the supplied id
    } +
    + +
  • Creates a data key used for explicit encryption and inserts it into the key vault namespace

    +

    Parameters

    Returns Promise<UUID>

    // Using async/await to create a local key
    const dataKeyId = await clientEncryption.createDataKey('local'); +
    + +
    // Using async/await to create an aws key
    const dataKeyId = await clientEncryption.createDataKey('aws', {
    masterKey: {
    region: 'us-east-1',
    key: 'xxxxxxxxxxxxxx' // CMK ARN here
    }
    }); +
    + +
    // Using async/await to create an aws key with a keyAltName
    const dataKeyId = await clientEncryption.createDataKey('aws', {
    masterKey: {
    region: 'us-east-1',
    key: 'xxxxxxxxxxxxxx' // CMK ARN here
    },
    keyAltNames: [ 'mySpecialKey' ]
    }); +
    + +
  • Explicitly decrypt a provided encrypted value

    +

    Type Parameters

    • T = any

    Parameters

    • value: Binary

      An encrypted value

      +

    Returns Promise<T>

    a Promise that either resolves with the decrypted value, or rejects with an error

    +
    // Decrypting value with async/await API
    async function decryptMyValue(value) {
    return clientEncryption.decrypt(value);
    } +
    + +
  • Deletes the key with the provided id from the keyvault, if it exists.

    +

    Parameters

    Returns Promise<DeleteResult>

    // delete a key by _id
    const id = new Binary(); // id is a bson binary subtype 4 object
    const { deletedCount } = await clientEncryption.deleteKey(id);

    if (deletedCount != null && deletedCount > 0) {
    // successful deletion
    } +
    + +
  • Explicitly encrypt a provided value. Note that either options.keyId or options.keyAltName must +be specified. Specifying both options.keyId and options.keyAltName is considered an error.

    +

    Parameters

    Returns Promise<Binary>

    a Promise that either resolves with the encrypted value, or rejects with an error.

    +
    // Encryption with async/await api
    async function encryptMyData(value) {
    const keyId = await clientEncryption.createDataKey('local');
    return clientEncryption.encrypt(value, { keyId, algorithm: 'AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic' });
    } +
    + +
    // Encryption using a keyAltName
    async function encryptMyData(value) {
    await clientEncryption.createDataKey('local', { keyAltNames: 'mySpecialKey' });
    return clientEncryption.encrypt(value, { keyAltName: 'mySpecialKey', algorithm: 'AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic' });
    } +
    + +
  • Encrypts a Match Expression or Aggregate Expression to query a range index.

    +

    Only supported when queryType is "range" and algorithm is "Range".

    +

    Parameters

    • expression: Document

      a BSON document of one of the following forms:

      +
        +
      1. A Match Expression of this form: +{$and: [{<field>: {$gt: <value1>}}, {<field>: {$lt: <value2> }}]}
      2. +
      3. An Aggregate Expression of this form: +{$and: [{$gt: [<fieldpath>, <value1>]}, {$lt: [<fieldpath>, <value2>]}]}
      4. +
      +

      $gt may also be $gte. $lt may also be $lte.

      +
    • options: ClientEncryptionEncryptOptions

    Returns Promise<Binary>

    Returns a Promise that either resolves with the encrypted value or rejects with an error.

    +
  • Finds a key in the keyvault with the specified _id.

    +

    Returns a promise that either resolves to a DataKey if a document matches the key or null if no documents +match the id. The promise rejects with an error if an error is thrown.

    +

    Parameters

    Returns Promise<null | DataKey>

    // getting a key by id
    const id = new Binary(); // id is a bson binary subtype 4 object
    const key = await clientEncryption.getKey(id);
    if (!key) {
    // key is null if there was no matching key
    } +
    + +
  • Finds a key in the keyvault which has the specified keyAltName.

    +

    Parameters

    • keyAltName: string

      a keyAltName to search for a key

      +

    Returns Promise<null | WithId<DataKey>>

    Returns a promise that either resolves to a DataKey if a document matches the key or null if no documents +match the keyAltName. The promise rejects with an error if an error is thrown.

    +
    // get a key by alt name
    const keyAltName = 'keyAltName';
    const key = await clientEncryption.getKeyByAltName(keyAltName);
    if (!key) {
    // key is null if there is no matching key
    } +
    + +
  • Adds a keyAltName to a key identified by the provided _id.

    +

    This method resolves to/returns the old key value (prior to removing the new altKeyName).

    +

    If the removed keyAltName is the last keyAltName for that key, the altKeyNames property is unset from the document.

    +

    Parameters

    • _id: Binary

      The id of the document to update.

      +
    • keyAltName: string

      a keyAltName to search for a key

      +

    Returns Promise<null | WithId<DataKey>>

    Returns a promise that either resolves to a DataKey if a document matches the key or null if no documents +match the id. The promise rejects with an error if an error is thrown.

    +
    // removing a key alt name from a data key
    const id = new Binary(); // id is a bson binary subtype 4 object
    const keyAltName = 'keyAltName';
    const oldKey = await clientEncryption.removeKeyAltName(id, keyAltName);

    if (!oldKey) {
    // null is returned if there is no matching document with an id matching the supplied id
    } +
    + +
  • Searches the keyvault for any data keys matching the provided filter. If there are matches, rewrapManyDataKey then attempts to re-wrap the data keys using the provided options.

    +

    If no matches are found, then no bulk write is performed.

    +

    Returns Promise<{
        bulkWriteResult?: BulkWriteResult;
    }>

    // rewrapping all data data keys (using a filter that matches all documents)
    const filter = {};

    const result = await clientEncryption.rewrapManyDataKey(filter);
    if (result.bulkWriteResult != null) {
    // keys were re-wrapped, results will be available in the bulkWrite object.
    } +
    + +
    // attempting to rewrap all data keys with no matches
    const filter = { _id: new Binary() } // assume _id matches no documents in the database
    const result = await clientEncryption.rewrapManyDataKey(filter);

    if (result.bulkWriteResult == null) {
    // no keys matched, `bulkWriteResult` does not exist on the result object
    } +
    + +
diff --git a/docs/6.14/classes/ClientSession.html b/docs/6.14/classes/ClientSession.html new file mode 100644 index 00000000000..f3b0d60686f --- /dev/null +++ b/docs/6.14/classes/ClientSession.html @@ -0,0 +1,506 @@ +ClientSession | mongodb

Class ClientSession

A class representing a client session on the server

+

NOTE: not meant to be instantiated directly.

+

Hierarchy (view full)

Implements

Properties

[asyncDispose]: (() => Promise<void>)
clientOptions: MongoOptions
clusterTime?: ClusterTime
defaultTransactionOptions: TransactionOptions
explicit: boolean
hasEnded: boolean
operationTime?: Timestamp
snapshotEnabled: boolean
supports: {
    causalConsistency: boolean;
}
timeoutMS?: number

Specifies the time an operation in a given ClientSession will run until it throws a timeout error

+
transaction: Transaction
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Aborts the currently active transaction in this session.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }

      Optional options, can be used to override defaultTimeoutMS.

      +
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Advances the clusterTime for a ClientSession to the provided clusterTime of another ClientSession

    +

    Parameters

    • clusterTime: ClusterTime

      the $clusterTime returned by the server from another session in the form of a document containing the BSON.Timestamp clusterTime and signature

      +

    Returns void

  • Advances the operationTime for a ClientSession.

    +

    Parameters

    • operationTime: Timestamp

      the BSON.Timestamp of the operation type it is desired to advance to

      +

    Returns void

  • Commits the currently active transaction in this session.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }

      Optional options, can be used to override defaultTimeoutMS.

      +
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Frees any client-side resources held by the current session. If a session is in a transaction, +the transaction is aborted.

    +

    Does not end the session on the server.

    +

    Parameters

    • Optionaloptions: EndSessionOptions

      Optional settings. Currently reserved for future use

      +

    Returns Promise<void>

  • Used to determine if this session equals another

    +

    Parameters

    Returns boolean

  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Increment the transaction number on the internal ServerSession

    +

    Returns void

  • Returns boolean

    whether this session is currently in a transaction or not

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns number

    v3.2.0

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns ClientSessionEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "ended"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Starts a new transaction with the given options.

    +

    Parameters

    Returns void

    IMPORTANT: Running operations in parallel is not supported during a transaction. The use of Promise.all, +Promise.allSettled, Promise.race, etc to parallelize operations inside a transaction is +undefined behaviour.

    +
  • This is here to ensure that ClientSession is never serialized to BSON.

    +

    Returns never

  • Starts a transaction and runs a provided function, ensuring the commitTransaction is always attempted when all operations run in the function have completed.

    +

    IMPORTANT: This method requires the function passed in to return a Promise. That promise must be made by await-ing all operations in such a way that rejections are propagated to the returned promise.

    +

    IMPORTANT: Running operations in parallel is not supported during a transaction. The use of Promise.all, +Promise.allSettled, Promise.race, etc to parallelize operations inside a transaction is +undefined behaviour.

    +

    IMPORTANT: When running an operation inside a withTransaction callback, if it is not +provided the explicit session in its options, it will not be part of the transaction and it will not respect timeoutMS.

    +

    Type Parameters

    • T = any

    Parameters

    Returns Promise<T>

    A raw command response or undefined

    +
      +
    • If all operations successfully complete and the commitTransaction operation is successful, then the provided function will return the result of the provided function.
    • +
    • If the transaction is unable to complete or an error is thrown from within the provided function, then the provided function will throw an error. +
        +
      • If the transaction is manually aborted within the provided function it will not throw.
      • +
      +
    • +
    • If the driver needs to attempt to retry the operations, the provided function may be called multiple times.
    • +
    +

    Checkout a descriptive example here:

    +

    https://www.mongodb.com/blog/post/quick-start-nodejs--mongodb--how-to-implement-transactions

    +

    If a command inside withTransaction fails:

    +
      +
    • It may cause the transaction on the server to be aborted.
    • +
    • This situation is normally handled transparently by the driver.
    • +
    • However, if the application catches such an error and does not rethrow it, the driver will not be able to determine whether the transaction was aborted or not.
    • +
    • The driver will then retry the transaction indefinitely.
    • +
    +

    To avoid this situation, the application must not silently handle errors within the provided function. +If the application needs to handle errors within, it must await all operations such that if an operation is rejected it becomes the rejection of the callback function passed into withTransaction.

    +
  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/Collection.html b/docs/6.14/classes/Collection.html new file mode 100644 index 00000000000..10456440ae4 --- /dev/null +++ b/docs/6.14/classes/Collection.html @@ -0,0 +1,302 @@ +Collection | mongodb

Class Collection<TSchema>

The Collection class is an internal class that embodies a MongoDB collection +allowing for insert/find/update/delete and other command operation on that MongoDB collection.

+

COLLECTION Cannot directly be instantiated

+
import { MongoClient } from 'mongodb';

interface Pet {
name: string;
kind: 'dog' | 'cat' | 'fish';
}

const client = new MongoClient('mongodb://localhost:27017');
const pets = client.db().collection<Pet>('pets');

const petCursor = pets.find();

for await (const pet of petCursor) {
console.log(`${pet.name} is a ${pet.kind}!`);
} +
+ +

Type Parameters

Accessors

  • get dbName(): string
  • The name of the database this collection belongs to

    +

    Returns string

  • get namespace(): string
  • The namespace of this collection, in the format ${this.dbName}.${this.collectionName}

    +

    Returns string

  • get readConcern(): undefined | ReadConcern
  • The current readConcern of the collection. If not explicitly defined for +this collection, will be inherited from the parent DB

    +

    Returns undefined | ReadConcern

  • get readPreference(): undefined | ReadPreference
  • The current readPreference of the collection. If not explicitly defined for +this collection, will be inherited from the parent DB

    +

    Returns undefined | ReadPreference

  • get writeConcern(): undefined | WriteConcern
  • The current writeConcern of the collection. If not explicitly defined for +this collection, will be inherited from the parent DB

    +

    Returns undefined | WriteConcern

Methods

  • Perform a bulkWrite operation without a fluent API

    +

    Legal operation types are

    +
      +
    • insertOne
    • +
    • replaceOne
    • +
    • updateOne
    • +
    • updateMany
    • +
    • deleteOne
    • +
    • deleteMany
    • +
    +

    If documents passed in do not contain the _id field, +one will be added to each of the documents missing it by the driver, mutating the document. This behavior +can be overridden by setting the forceServerObjectId flag.

    +

    Parameters

    Returns Promise<BulkWriteResult>

    MongoDriverError if operations is not an array

    +
  • An estimated count of matching documents in the db to a filter.

    +

    NOTE: This method has been deprecated, since it does not provide an accurate count of the documents +in a collection. To obtain an accurate count of documents in the collection, use Collection#countDocuments| countDocuments. +To obtain an estimated count of all documents in the collection, use Collection#estimatedDocumentCount| estimatedDocumentCount.

    +

    Parameters

    Returns Promise<number>

    use Collection#countDocuments| countDocuments or Collection#estimatedDocumentCount| estimatedDocumentCount instead

    +
  • Creates an index on the db and collection collection.

    +

    Parameters

    Returns Promise<string>

    const collection = client.db('foo').collection('bar');

    await collection.createIndex({ a: 1, b: -1 });

    // Alternate syntax for { c: 1, d: -1 } that ensures order of indexes
    await collection.createIndex([ [c, 1], [d, -1] ]);

    // Equivalent to { e: 1 }
    await collection.createIndex('e');

    // Equivalent to { f: 1, g: 1 }
    await collection.createIndex(['f', 'g'])

    // Equivalent to { h: 1, i: -1 }
    await collection.createIndex([ { h: 1 }, { i: -1 } ]);

    // Equivalent to { j: 1, k: -1, l: 2d }
    await collection.createIndex(['j', ['k', -1], { l: '2d' }]) +
    + +
  • Creates multiple indexes in the collection, this method is only supported for +MongoDB 2.6 or higher. Earlier version of MongoDB will throw a command not supported +error.

    +

    Note: Unlike Collection#createIndex| createIndex, this function takes in raw index specifications. +Index specifications are defined here.

    +

    Parameters

    Returns Promise<string[]>

    const collection = client.db('foo').collection('bar');
    await collection.createIndexes([
    // Simple index on field fizz
    {
    key: { fizz: 1 },
    }
    // wildcard index
    {
    key: { '$**': 1 }
    },
    // named index on darmok and jalad
    {
    key: { darmok: 1, jalad: -1 }
    name: 'tanagra'
    }
    ]); +
    + +
  • Creates a single search index for the collection.

    +

    Parameters

    Returns Promise<string>

    A promise that resolves to the name of the new search index.

    +

    Only available when used against a 7.0+ Atlas cluster.

    +
  • Creates multiple search indexes for the current collection.

    +

    Parameters

    Returns Promise<string[]>

    A promise that resolves to an array of the newly created search index names.

    +

    Only available when used against a 7.0+ Atlas cluster.

    +
  • Drop the collection from the database, removing it permanently. New accesses will create a new collection.

    +

    Parameters

    Returns Promise<boolean>

  • Drops all indexes from this collection.

    +

    Parameters

    Returns Promise<boolean>

  • Deletes a search index by index name.

    +

    Parameters

    • name: string

      The name of the search index to be deleted.

      +

    Returns Promise<void>

    Only available when used against a 7.0+ Atlas cluster.

    +
  • Gets an estimate of the count of documents in a collection using collection metadata. +This will always run a count command on all server versions.

    +

    due to an oversight in versions 5.0.0-5.0.8 of MongoDB, the count command, +which estimatedDocumentCount uses in its implementation, was not included in v1 of +the Stable API, and so users of the Stable API with estimatedDocumentCount are +recommended to upgrade their server version to 5.0.9+ or set apiStrict: false to avoid +encountering errors.

    +

    Parameters

    Returns Promise<number>

  • Checks if one or more indexes exist on the collection, fails on first non-existing index

    +

    Parameters

    • indexes: string | string[]

      One or more index names to check.

      +
    • Optionaloptions: ListIndexesOptions

      Optional settings for the command

      +

    Returns Promise<boolean>

  • 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.

    +

    Parameters

    Returns OrderedBulkOperation

    MongoNotConnectedError

    +

    NOTE: MongoClient must be connected prior to calling this method due to a known limitation in this legacy implementation. +However, collection.bulkWrite() provides an equivalent API that does not require prior connecting.

    +
  • Initiate an Out of order batch write operation. All operations will be buffered into insert/update/remove commands executed out of order.

    +

    Parameters

    Returns UnorderedBulkOperation

    MongoNotConnectedError

    +

    NOTE: MongoClient must be connected prior to calling this method due to a known limitation in this legacy implementation. +However, collection.bulkWrite() provides an equivalent API that does not require prior connecting.

    +
  • Returns if the collection is a capped collection

    +

    Parameters

    Returns Promise<boolean>

  • Updates a search index by replacing the existing index definition with the provided definition.

    +

    Parameters

    • name: string

      The name of the search index to update.

      +
    • definition: Document

      The new search index definition.

      +

    Returns Promise<void>

    Only available when used against a 7.0+ Atlas cluster.

    +
  • Create a new Change Stream, watching for new changes (insertions, updates, replacements, deletions, and invalidations) in this collection.

    +

    Type Parameters

    Parameters

    • pipeline: Document[] = []

      An array of pipeline stages through which to pass change stream documents. This allows for filtering (using $match) and manipulating the change stream documents.

      +
    • options: ChangeStreamOptions = {}

      Optional settings for the command

      +

    Returns ChangeStream<TLocal, TChange>

    watch() accepts two generic arguments for distinct use cases:

    +
      +
    • The first is to override the schema that may be defined for this specific collection
    • +
    • The second is to override the shape of the change stream document entirely, if it is not provided the type will default to ChangeStreamDocument of the first argument
    • +
    +

    By just providing the first argument I can type the change to be ChangeStreamDocument<{ _id: number }>

    +
    collection.watch<{ _id: number }>()
    .on('change', change => console.log(change._id.toFixed(4))); +
    + +

    Passing a second argument provides a way to reflect the type changes caused by an advanced pipeline. +Here, we are using a pipeline to have MongoDB filter for insert changes only and add a comment. +No need start from scratch on the ChangeStreamInsertDocument type! +By using an intersection we can save time and ensure defaults remain the same type!

    +
    collection
    .watch<Schema, ChangeStreamInsertDocument<Schema> & { comment: string }>([
    { $addFields: { comment: 'big changes' } },
    { $match: { operationType: 'insert' } }
    ])
    .on('change', change => {
    change.comment.startsWith('big');
    change.operationType === 'insert';
    // No need to narrow in code because the generics did that for us!
    expectType<Schema>(change.fullDocument);
    }); +
    + +

    In iterator mode, if a next() call throws a timeout error, it will attempt to resume the change stream. +The next call can just be retried after this succeeds.

    +
    const changeStream = collection.watch([], { timeoutMS: 100 });
    try {
    await changeStream.next();
    } catch (e) {
    if (e instanceof MongoOperationTimeoutError && !changeStream.closed) {
    await changeStream.next();
    }
    throw e;
    } +
    + +

    In emitter mode, if the change stream goes timeoutMS without emitting a change event, it will +emit an error event that returns a MongoOperationTimeoutError, but will not close the change +stream unless the resume attempt fails. There is no need to re-establish change listeners as +this will automatically continue emitting change events once the resume attempt completes.

    +
    const changeStream = collection.watch([], { timeoutMS: 100 });
    changeStream.on('change', console.log);
    changeStream.on('error', e => {
    if (e instanceof MongoOperationTimeoutError && !changeStream.closed) {
    // do nothing
    } else {
    changeStream.close();
    }
    }); +
    + +
diff --git a/docs/6.14/classes/CommandFailedEvent.html b/docs/6.14/classes/CommandFailedEvent.html new file mode 100644 index 00000000000..f7c4b87779a --- /dev/null +++ b/docs/6.14/classes/CommandFailedEvent.html @@ -0,0 +1,14 @@ +CommandFailedEvent | mongodb

Class CommandFailedEvent

An event indicating the failure of a given command

+

Properties

address: string
commandName: string
connectionId?: string | number

Driver generated connection id

+
duration: number
failure: Error
requestId: number
serverConnectionId: null | bigint

Server generated connection id +Distinct from the connection id and is returned by the hello or legacy hello response as "connectionId" from the server on 4.2+.

+
serviceId?: ObjectId

Accessors

diff --git a/docs/6.14/classes/CommandStartedEvent.html b/docs/6.14/classes/CommandStartedEvent.html new file mode 100644 index 00000000000..df98c4a2292 --- /dev/null +++ b/docs/6.14/classes/CommandStartedEvent.html @@ -0,0 +1,16 @@ +CommandStartedEvent | mongodb

Class CommandStartedEvent

An event indicating the start of a given command

+

Properties

address: string
command: Document
commandName: string
commandObj?: Document
connectionId?: string | number

Driver generated connection id

+
databaseName: string
requestId: number
serverConnectionId: null | bigint

Server generated connection id +Distinct from the connection id and is returned by the hello or legacy hello response as "connectionId" +from the server on 4.2+.

+
serviceId?: ObjectId

Accessors

diff --git a/docs/6.14/classes/CommandSucceededEvent.html b/docs/6.14/classes/CommandSucceededEvent.html new file mode 100644 index 00000000000..a41f03d20fd --- /dev/null +++ b/docs/6.14/classes/CommandSucceededEvent.html @@ -0,0 +1,14 @@ +CommandSucceededEvent | mongodb

Class CommandSucceededEvent

An event indicating the success of a given command

+

Properties

address: string
commandName: string
connectionId?: string | number

Driver generated connection id

+
duration: number
reply: unknown
requestId: number
serverConnectionId: null | bigint

Server generated connection id +Distinct from the connection id and is returned by the hello or legacy hello response as "connectionId" from the server on 4.2+.

+
serviceId?: ObjectId

Accessors

diff --git a/docs/6.14/classes/ConnectionCheckOutFailedEvent.html b/docs/6.14/classes/ConnectionCheckOutFailedEvent.html new file mode 100644 index 00000000000..c36297adbb6 --- /dev/null +++ b/docs/6.14/classes/ConnectionCheckOutFailedEvent.html @@ -0,0 +1,13 @@ +ConnectionCheckOutFailedEvent | mongodb

Class ConnectionCheckOutFailedEvent

An event published when a request to check a connection out fails

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
durationMS: number

The time it took to check out the connection. +More specifically, the time elapsed between +emitting a ConnectionCheckOutStartedEvent +and emitting this event as part of the same check out.

+
reason: string

The reason the attempt to check out failed

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionCheckOutStartedEvent.html b/docs/6.14/classes/ConnectionCheckOutStartedEvent.html new file mode 100644 index 00000000000..f9f5d025354 --- /dev/null +++ b/docs/6.14/classes/ConnectionCheckOutStartedEvent.html @@ -0,0 +1,6 @@ +ConnectionCheckOutStartedEvent | mongodb

Class ConnectionCheckOutStartedEvent

An event published when a request to check a connection out begins

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionCheckedInEvent.html b/docs/6.14/classes/ConnectionCheckedInEvent.html new file mode 100644 index 00000000000..72da70e41bb --- /dev/null +++ b/docs/6.14/classes/ConnectionCheckedInEvent.html @@ -0,0 +1,8 @@ +ConnectionCheckedInEvent | mongodb

Class ConnectionCheckedInEvent

An event published when a connection is checked into the connection pool

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
connectionId: number | "<monitor>"

The id of the connection

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionCheckedOutEvent.html b/docs/6.14/classes/ConnectionCheckedOutEvent.html new file mode 100644 index 00000000000..84e6849b99f --- /dev/null +++ b/docs/6.14/classes/ConnectionCheckedOutEvent.html @@ -0,0 +1,13 @@ +ConnectionCheckedOutEvent | mongodb

Class ConnectionCheckedOutEvent

An event published when a connection is checked out of the connection pool

+

Hierarchy (view full)

Properties

address: string

The address (host/port pair) of the pool

+
connectionId: number | "<monitor>"

The id of the connection

+
durationMS: number

The time it took to check out the connection. +More specifically, the time elapsed between +emitting a ConnectionCheckOutStartedEvent +and emitting this event as part of the same checking out.

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionClosedEvent.html b/docs/6.14/classes/ConnectionClosedEvent.html new file mode 100644 index 00000000000..bab3fa1cd27 --- /dev/null +++ b/docs/6.14/classes/ConnectionClosedEvent.html @@ -0,0 +1,11 @@ +ConnectionClosedEvent | mongodb

Class ConnectionClosedEvent

An event published when a connection is closed

+

Hierarchy (view full)

Properties

address: string

The address (host/port pair) of the pool

+
connectionId: number | "<monitor>"

The id of the connection

+
reason: string

The reason the connection was closed

+
serviceId?: ObjectId
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionCreatedEvent.html b/docs/6.14/classes/ConnectionCreatedEvent.html new file mode 100644 index 00000000000..59d4c84db8a --- /dev/null +++ b/docs/6.14/classes/ConnectionCreatedEvent.html @@ -0,0 +1,8 @@ +ConnectionCreatedEvent | mongodb

Class ConnectionCreatedEvent

An event published when a connection pool creates a new connection

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
connectionId: number | "<monitor>"

A monotonically increasing, per-pool id for the newly created connection

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionPoolClearedEvent.html b/docs/6.14/classes/ConnectionPoolClearedEvent.html new file mode 100644 index 00000000000..172a5988152 --- /dev/null +++ b/docs/6.14/classes/ConnectionPoolClearedEvent.html @@ -0,0 +1,7 @@ +ConnectionPoolClearedEvent | mongodb

Class ConnectionPoolClearedEvent

An event published when a connection pool is cleared

+

Hierarchy (view full)

Properties

address: string

The address (host/port pair) of the pool

+
interruptInUseConnections?: boolean
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionPoolClosedEvent.html b/docs/6.14/classes/ConnectionPoolClosedEvent.html new file mode 100644 index 00000000000..9ecf0b7f5d1 --- /dev/null +++ b/docs/6.14/classes/ConnectionPoolClosedEvent.html @@ -0,0 +1,6 @@ +ConnectionPoolClosedEvent | mongodb

Class ConnectionPoolClosedEvent

An event published when a connection pool is closed

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionPoolCreatedEvent.html b/docs/6.14/classes/ConnectionPoolCreatedEvent.html new file mode 100644 index 00000000000..8a24feaa8ae --- /dev/null +++ b/docs/6.14/classes/ConnectionPoolCreatedEvent.html @@ -0,0 +1,8 @@ +ConnectionPoolCreatedEvent | mongodb

Class ConnectionPoolCreatedEvent

An event published when a connection pool is created

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
options: Pick<ConnectionPoolOptions,
    | "maxConnecting"
    | "maxIdleTimeMS"
    | "maxPoolSize"
    | "minPoolSize"
    | "waitQueueTimeoutMS">

The options used to create this connection pool

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionPoolMonitoringEvent.html b/docs/6.14/classes/ConnectionPoolMonitoringEvent.html new file mode 100644 index 00000000000..ad2a8ce71f6 --- /dev/null +++ b/docs/6.14/classes/ConnectionPoolMonitoringEvent.html @@ -0,0 +1,6 @@ +ConnectionPoolMonitoringEvent | mongodb

Class ConnectionPoolMonitoringEventAbstract

The base export class for all monitoring events published from the connection pool

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionPoolReadyEvent.html b/docs/6.14/classes/ConnectionPoolReadyEvent.html new file mode 100644 index 00000000000..bfc25657c3f --- /dev/null +++ b/docs/6.14/classes/ConnectionPoolReadyEvent.html @@ -0,0 +1,6 @@ +ConnectionPoolReadyEvent | mongodb

Class ConnectionPoolReadyEvent

An event published when a connection pool is ready

+

Hierarchy (view full)

Properties

Properties

address: string

The address (host/port pair) of the pool

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/ConnectionReadyEvent.html b/docs/6.14/classes/ConnectionReadyEvent.html new file mode 100644 index 00000000000..2cca16146af --- /dev/null +++ b/docs/6.14/classes/ConnectionReadyEvent.html @@ -0,0 +1,17 @@ +ConnectionReadyEvent | mongodb

Class ConnectionReadyEvent

An event published when a connection is ready for use

+

Hierarchy (view full)

Properties

address: string

The address (host/port pair) of the pool

+
connectionId: number | "<monitor>"

The id of the connection

+
durationMS: number

The time it took to establish the connection. +In accordance with the definition of establishment of a connection +specified by ConnectionPoolOptions.maxConnecting, +it is the time elapsed between emitting a ConnectionCreatedEvent +and emitting this event as part of the same checking out.

+

Naturally, when establishing a connection is part of checking out, +this duration is not greater than +ConnectionCheckedOutEvent.duration.

+
time: Date

A timestamp when the event was created

+
diff --git a/docs/6.14/classes/Db.html b/docs/6.14/classes/Db.html new file mode 100644 index 00000000000..b6bec7de1c2 --- /dev/null +++ b/docs/6.14/classes/Db.html @@ -0,0 +1,146 @@ +Db | mongodb

Class Db

The Db class is a class that represents a MongoDB Database.

+
import { MongoClient } from 'mongodb';

interface Pet {
name: string;
kind: 'dog' | 'cat' | 'fish';
}

const client = new MongoClient('mongodb://localhost:27017');
const db = client.db();

// Create a collection that validates our union
await db.createCollection<Pet>('pets', {
validator: { $expr: { $in: ['$kind', ['dog', 'cat', 'fish']] } }
}) +
+ +

Constructors

  • Creates a new Db instance.

    +

    Db name cannot contain a dot, the server may apply more restrictions when an operation is run.

    +

    Parameters

    • client: MongoClient

      The MongoClient for the database.

      +
    • databaseName: string

      The name of the database this instance represents.

      +
    • Optionaloptions: DbOptions

      Optional settings for Db construction.

      +

    Returns Db

Properties

SYSTEM_COMMAND_COLLECTION: string = CONSTANTS.SYSTEM_COMMAND_COLLECTION
SYSTEM_INDEX_COLLECTION: string = CONSTANTS.SYSTEM_INDEX_COLLECTION
SYSTEM_JS_COLLECTION: string = CONSTANTS.SYSTEM_JS_COLLECTION
SYSTEM_NAMESPACE_COLLECTION: string = CONSTANTS.SYSTEM_NAMESPACE_COLLECTION
SYSTEM_PROFILE_COLLECTION: string = CONSTANTS.SYSTEM_PROFILE_COLLECTION
SYSTEM_USER_COLLECTION: string = CONSTANTS.SYSTEM_USER_COLLECTION

Accessors

  • get readPreference(): ReadPreference
  • The current readPreference of the Db. If not explicitly defined for +this Db, will be inherited from the parent MongoClient

    +

    Returns ReadPreference

  • get secondaryOk(): boolean
  • Check if a secondary can be used (because the read preference is not set to primary)

    +

    Returns boolean

  • get timeoutMS(): undefined | number
  • Returns undefined | number

Methods

  • Returns a reference to a MongoDB Collection. If it does not exist it will be created implicitly.

    +

    Collection namespace validation is performed server-side.

    +

    Type Parameters

    Parameters

    Returns Collection<TSchema>

    return the new Collection instance

    +
  • Execute a command

    +

    Parameters

    Returns Promise<Document>

    This command does not inherit options from the MongoClient.

    +

    The driver will ensure the following fields are attached to the command sent to the server:

    +
      +
    • lsid - sourced from an implicit session or options.session
    • +
    • $readPreference - defaults to primary or can be configured by options.readPreference
    • +
    • $db - sourced from the name of this database
    • +
    +

    If the client has a serverApi setting:

    +
      +
    • apiVersion
    • +
    • apiStrict
    • +
    • apiDeprecationErrors
    • +
    +

    When in a transaction:

    +
      +
    • readConcern - sourced from readConcern set on the TransactionOptions
    • +
    • writeConcern - sourced from writeConcern set on the TransactionOptions
    • +
    +

    Attaching any of the above fields to the command will have no effect as the driver will overwrite the value.

    +
  • Creates an index on the db and collection.

    +

    Parameters

    • name: string

      Name of the collection to create the index on.

      +
    • indexSpec: IndexSpecification

      Specify the field to index, or an index specification

      +
    • Optionaloptions: CreateIndexesOptions

      Optional settings for the command

      +

    Returns Promise<string>

  • Drop a collection from the database, removing it permanently. New accesses will create a new collection.

    +

    Parameters

    • name: string

      Name of collection to drop

      +
    • Optionaloptions: DropCollectionOptions

      Optional settings for the command

      +

    Returns Promise<boolean>

  • Drop a database, removing it permanently from the server.

    +

    Parameters

    Returns Promise<boolean>

  • Retrieve the current profiling Level for MongoDB

    +

    Parameters

    Returns Promise<string>

  • Remove a user from a database

    +

    Parameters

    • username: string

      The username to remove

      +
    • Optionaloptions: CommandOperationOptions

      Optional settings for the command

      +

    Returns Promise<boolean>

  • Rename a collection.

    +

    Type Parameters

    Parameters

    • fromCollection: string

      Name of current collection to rename

      +
    • toCollection: string

      New name of of the collection

      +
    • Optionaloptions: RenameOptions

      Optional settings for the command

      +

    Returns Promise<Collection<TSchema>>

    This operation does not inherit options from the MongoClient.

    +
  • A low level cursor API providing basic driver functionality:

    +
      +
    • ClientSession management
    • +
    • ReadPreference for server selection
    • +
    • Running getMores automatically when a local batch is exhausted
    • +
    +

    Parameters

    • command: Document

      The command that will start a cursor on the server.

      +
    • Optionaloptions: RunCursorCommandOptions

      Configurations for running the command, bson options will apply to getMores

      +

    Returns RunCommandCursor

  • Create a new Change Stream, watching for new changes (insertions, updates, +replacements, deletions, and invalidations) in this database. Will ignore all +changes to system collections.

    +

    Type Parameters

    Parameters

    • pipeline: Document[] = []

      An array of pipeline stages through which to pass change stream documents. This allows for filtering (using $match) and manipulating the change stream documents.

      +
    • options: ChangeStreamOptions = {}

      Optional settings for the command

      +

    Returns ChangeStream<TSchema, TChange>

    watch() accepts two generic arguments for distinct use cases:

    +
      +
    • The first is to provide the schema that may be defined for all the collections within this database
    • +
    • The second is to override the shape of the change stream document entirely, if it is not provided the type will default to ChangeStreamDocument of the first argument
    • +
    +

    In iterator mode, if a next() call throws a timeout error, it will attempt to resume the change stream. +The next call can just be retried after this succeeds.

    +
    const changeStream = collection.watch([], { timeoutMS: 100 });
    try {
    await changeStream.next();
    } catch (e) {
    if (e instanceof MongoOperationTimeoutError && !changeStream.closed) {
    await changeStream.next();
    }
    throw e;
    } +
    + +

    In emitter mode, if the change stream goes timeoutMS without emitting a change event, it will +emit an error event that returns a MongoOperationTimeoutError, but will not close the change +stream unless the resume attempt fails. There is no need to re-establish change listeners as +this will automatically continue emitting change events once the resume attempt completes.

    +
    const changeStream = collection.watch([], { timeoutMS: 100 });
    changeStream.on('change', console.log);
    changeStream.on('error', e => {
    if (e instanceof MongoOperationTimeoutError && !changeStream.closed) {
    // do nothing
    } else {
    changeStream.close();
    }
    }); +
    + +
diff --git a/docs/6.14/classes/ExplainableCursor.html b/docs/6.14/classes/ExplainableCursor.html new file mode 100644 index 00000000000..2c1151706b4 --- /dev/null +++ b/docs/6.14/classes/ExplainableCursor.html @@ -0,0 +1,513 @@ +ExplainableCursor | mongodb

Class ExplainableCursor<TSchema>Abstract

A base class for any cursors that have explain() methods.

+

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Frees any client-side resources used by the cursor.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: TSchema) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T = any

    Parameters

    • transform: ((doc: TSchema) => T)

      The mapping transformation method.

      +

    Returns AbstractCursor<T, AbstractCursorEvents>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<TSchema[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/FindCursor.html b/docs/6.14/classes/FindCursor.html new file mode 100644 index 00000000000..177ec6a731f --- /dev/null +++ b/docs/6.14/classes/FindCursor.html @@ -0,0 +1,576 @@ +FindCursor | mongodb

Class FindCursor<TSchema>

Type Parameters

  • TSchema = any

Hierarchy (view full)

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Add a query modifier to the cursor query

    +

    Parameters

    • name: string

      The query modifier (must start with $, such as $orderby etc)

      +
    • value:
          | string
          | number
          | boolean
          | Document

      The modifier value.

      +

    Returns this

  • Set the collation options for the cursor.

    +

    Parameters

    • value: CollationOptions

      The cursor collation options (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).

      +

    Returns this

  • Add a comment to the cursor query allowing for tracking the comment in the log.

    +

    Parameters

    • value: string

      The comment attached to this query.

      +

    Returns this

  • Get the count of documents for this cursor

    +

    Parameters

    Returns Promise<number>

    Use collection.estimatedDocumentCount or collection.countDocuments instead

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: TSchema) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Set the cursor hint

    +

    Parameters

    • hint: Hint

      If specified, then the query system will only consider plans using the hinted index.

      +

    Returns this

  • Set the limit for the cursor.

    +

    Parameters

    • value: number

      The limit for the cursor query.

      +

    Returns this

  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T

    Parameters

    • transform: ((doc: TSchema) => T)

      The mapping transformation method.

      +

    Returns FindCursor<T>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set the cursor max

    +

    Parameters

    • max: Document

      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.

      +

    Returns this

  • 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)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the tailed query.

      +

    Returns this

  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Set the cursor min

    +

    Parameters

    • min: Document

      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.

      +

    Returns this

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Add a project stage to the aggregation pipeline

    +

    Type Parameters

    Parameters

    Returns FindCursor<T>

    In order to strictly type this function you must provide an interface +that represents the effect of your projection on the result documents.

    +

    By default chaining a projection to your cursor changes the returned type to the generic +Document type. +You should specify a parameterized type to have assertions on your final results.

    +
    // Best way
    const docs: FindCursor<{ a: number }> = cursor.project<{ a: number }>({ _id: 0, a: true });
    // Flexible way
    const docs: FindCursor<Document> = cursor.project({ _id: 0, a: true }); +
    + +
    const cursor: FindCursor<{ a: number; b: string }> = coll.find();
    const projectCursor = cursor.project<{ a: number }>({ _id: 0, a: true });
    const aPropOnlyArray: {a: number}[] = await projectCursor.toArray();

    // or always use chaining and save the final cursor

    const cursor = coll.find().project<{ a: string }>({
    _id: 0,
    a: { $convert: { input: '$a', to: 'string' }
    }}); +
    + +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Set the cursor returnKey. +If set to true, modifies the cursor to only return the index field or fields for the results of the query, rather than documents. +If set to true and the query does not use an index to perform the read operation, the returned documents will not contain any fields.

    +

    Parameters

    • value: boolean

      the returnKey value.

      +

    Returns this

  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Modifies the output of a query by adding a field $recordId to matching documents. $recordId is the internal key which uniquely identifies a document in a collection.

    +

    Parameters

    • value: boolean

      The $showDiskLoc option has now been deprecated and replaced with the showRecordId field. $showDiskLoc will still be accepted for OP_QUERY stye find.

      +

    Returns this

  • Set the skip for the cursor.

    +

    Parameters

    • value: number

      The skip for the cursor query.

      +

    Returns this

  • Sets the sort order of the cursor query.

    +

    Parameters

    • sort: Sort

      The key or keys set for the sort.

      +
    • Optionaldirection: SortDirection

      The direction of the sorting (1 or -1).

      +

    Returns this

  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<TSchema[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/FindOperators.html b/docs/6.14/classes/FindOperators.html new file mode 100644 index 00000000000..c7202a0bb41 --- /dev/null +++ b/docs/6.14/classes/FindOperators.html @@ -0,0 +1,22 @@ +FindOperators | mongodb

Class FindOperators

A builder object that is returned from BulkOperationBase#find. +Is used to build a write operation that involves a query filter.

+

Properties

bulkOperation: BulkOperationBase

Methods

  • Specifies arrayFilters for UpdateOne or UpdateMany bulk operations.

    +

    Parameters

    Returns this

  • Upsert modifier for update bulk operation, noting that this operation is an upsert.

    +

    Returns this

diff --git a/docs/6.14/classes/GridFSBucket.html b/docs/6.14/classes/GridFSBucket.html new file mode 100644 index 00000000000..b8724d0d555 --- /dev/null +++ b/docs/6.14/classes/GridFSBucket.html @@ -0,0 +1,460 @@ +GridFSBucket | mongodb

Class GridFSBucket

Constructor for a streaming GridFS interface

+

Hierarchy (view full)

Constructors

Properties

captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+
INDEX: "index" = ...

When the first call to openUploadStream is made, the upload stream will +check to see if it needs to create the proper indexes on the chunks and +files collections. This event is fired either when 1) it determines that +no index creation is necessary, 2) when it successfully creates the +necessary indexes.

+

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Deletes a file with the given id

    +

    Parameters

    • id: ObjectId

      The id of the file doc

      +
    • Optionaloptions: {
          timeoutMS: number;
      }
      • timeoutMS: number

    Returns Promise<void>

  • Removes this bucket's files collection, followed by its chunks collection.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS: number;
      }
      • timeoutMS: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns number

    v3.2.0

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns GridFSBucketEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "index"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "index"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Renames the file with the given _id to the given string

    +

    Parameters

    • id: ObjectId

      the id of the file to rename

      +
    • filename: string

      new name for the file

      +
    • Optionaloptions: {
          timeoutMS: number;
      }
      • timeoutMS: number

    Returns Promise<void>

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/GridFSBucketReadStream.html b/docs/6.14/classes/GridFSBucketReadStream.html new file mode 100644 index 00000000000..2fc1baf7a4b --- /dev/null +++ b/docs/6.14/classes/GridFSBucketReadStream.html @@ -0,0 +1,1174 @@ +GridFSBucketReadStream | mongodb

Class GridFSBucketReadStream

A readable stream that enables you to read buffers from GridFS.

+

Do not instantiate this class directly. Use openDownloadStream() instead.

+

Hierarchy

  • Readable
    • GridFSBucketReadStream

Properties

closed: boolean

Is true after 'close' has been emitted.

+

v18.0.0

+
destroyed: boolean

Is true after readable.destroy() has been called.

+

v8.0.0

+
errored: null | Error

Returns error if the stream has been destroyed with an error.

+

v18.0.0

+
readable: boolean

Is true if it is safe to call read, which means +the stream has not been destroyed or emitted 'error' or 'end'.

+

v11.4.0

+
readableAborted: boolean

Returns whether the stream was destroyed or errored before emitting 'end'.

+

v16.8.0

+
readableDidRead: boolean

Returns whether 'data' has been emitted.

+

v16.7.0, v14.18.0

+
readableEncoding: null | BufferEncoding

Getter for the property encoding of a given Readable stream. The encoding property can be set using the setEncoding method.

+

v12.7.0

+
readableEnded: boolean

Becomes true when 'end' event is emitted.

+

v12.9.0

+
readableFlowing: null | boolean

This property reflects the current state of a Readable stream as described +in the Three states section.

+

v9.4.0

+
readableHighWaterMark: number

Returns the value of highWaterMark passed when creating this Readable.

+

v9.3.0

+
readableLength: number

This property contains the number of bytes (or objects) in the queue +ready to be read. The value provides introspection data regarding +the status of the highWaterMark.

+

v9.4.0

+
readableObjectMode: boolean

Getter for the property objectMode of a given Readable stream.

+

v12.3.0

+
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+
FILE: "file" = ...

Fires when the stream loaded the file document corresponding to the provided id.

+

Methods

  • Parameters

    • callback: ((error?: null | Error) => void)
        • (error?): void
        • Parameters

          • Optionalerror: null | Error

          Returns void

    Returns void

  • Parameters

    • error: null | Error
    • callback: ((error?: null | Error) => void)
        • (error?): void
        • Parameters

          • Optionalerror: null | Error

          Returns void

    Returns void

  • Calls readable.destroy() with an AbortError and returns a promise that fulfills when the stream is finished.

    +

    Returns Promise<void>

    v20.4.0

    +
  • Returns AsyncIterator<any, any, any>

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Marks this stream as aborted (will never push another data event) +and kills the underlying cursor. Will emit the 'end' event, and then +the 'close' event once the cursor is successfully killed.

    +

    Returns Promise<void>

  • Event emitter +The defined events on documents including:

    +
      +
    1. close
    2. +
    3. data
    4. +
    5. end
    6. +
    7. error
    8. +
    9. pause
    10. +
    11. readable
    12. +
    13. resume
    14. +
    +

    Parameters

    • event: "close"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "data"
    • listener: ((chunk: any) => void)
        • (chunk): void
        • Parameters

          • chunk: any

          Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "end"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "pause"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "readable"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "resume"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.1.26

    +
  • This method returns a new stream with chunks of the underlying stream paired with a counter +in the form [index, chunk]. The first index value is 0 and it increases by 1 for each chunk produced.

    +

    Parameters

    • Optionaloptions: Pick<ArrayOptions, "signal">

    Returns Readable

    a stream of indexed pairs.

    +

    v17.5.0

    +
  • Type Parameters

    • T extends ReadableStream

    Parameters

    • stream:
          | ComposeFnParam
          | T
          | Iterable<T>
          | AsyncIterable<T>
    • Optionaloptions: {
          signal: AbortSignal;
      }
      • signal: AbortSignal

    Returns T

  • Destroy the stream. Optionally emit an 'error' event, and emit a 'close' event (unless emitClose is set to false). After this call, the readable +stream will release any internal resources and subsequent calls to push() will be ignored.

    +

    Once destroy() has been called any further calls will be a no-op and no +further errors except from _destroy() may be emitted as 'error'.

    +

    Implementors should not override this method, but instead implement readable._destroy().

    +

    Parameters

    • Optionalerror: Error

      Error which will be passed as payload in 'error' event

      +

    Returns this

    v8.0.0

    +
  • This method returns a new stream with the first limit chunks dropped from the start.

    +

    Parameters

    • limit: number

      the number of chunks to drop from the readable.

      +
    • Optionaloptions: Pick<ArrayOptions, "signal">

    Returns Readable

    a stream with limit chunks dropped from the start.

    +

    v17.5.0

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "close"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "data"
    • chunk: any

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "end"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "error"
    • err: Error

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "pause"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "readable"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "resume"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: string | symbol
    • Rest...args: any[]

    Returns boolean

    v0.1.26

    +
  • Sets the 0-based offset in bytes to start streaming from. Throws +an error if this stream has entered flowing mode +(e.g. if you've already called on('data'))

    +

    Parameters

    • end: number = 0

      Offset in bytes to stop reading at

      +

    Returns this

  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns (string | symbol)[]

    v6.0.0

    +
  • This method is similar to Array.prototype.every and calls fn on each chunk in the stream +to check if all awaited return values are truthy value for fn. Once an fn call on a chunk +awaited return value is falsy, the stream is destroyed and the promise is fulfilled with false. +If all of the fn calls on the chunks return a truthy value, the promise is fulfilled with true.

    +

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => boolean | Promise<boolean>)

      a function to call on each chunk of the stream. Async or not.

      +
        • (data, options?): boolean | Promise<boolean>
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns boolean | Promise<boolean>

    • Optionaloptions: ArrayOptions

    Returns Promise<boolean>

    a promise evaluating to true if fn returned a truthy value for every one of the chunks.

    +

    v17.5.0

    +
  • This method allows filtering the stream. For each chunk in the stream the fn function will be called +and if it returns a truthy value, the chunk will be passed to the result stream. +If the fn function returns a promise - that promise will be awaited.

    +

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => boolean | Promise<boolean>)

      a function to filter chunks from the stream. Async or not.

      +
        • (data, options?): boolean | Promise<boolean>
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns boolean | Promise<boolean>

    • Optionaloptions: ArrayOptions

    Returns Readable

    a stream filtered with the predicate fn.

    +

    v17.4.0, v16.14.0

    +
  • This method is similar to Array.prototype.find and calls fn on each chunk in the stream +to find a chunk with a truthy value for fn. Once an fn call's awaited return value is truthy, +the stream is destroyed and the promise is fulfilled with value for which fn returned a truthy value. +If all of the fn calls on the chunks return a falsy value, the promise is fulfilled with undefined.

    +

    Type Parameters

    • T

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => data is T)

      a function to call on each chunk of the stream. Async or not.

      +
        • (data, options?): data is T
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns data is T

    • Optionaloptions: ArrayOptions

    Returns Promise<undefined | T>

    a promise evaluating to the first chunk for which fn evaluated with a truthy value, +or undefined if no element was found.

    +

    v17.5.0

    +
  • Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => boolean | Promise<boolean>)
        • (data, options?): boolean | Promise<boolean>
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns boolean | Promise<boolean>

    • Optionaloptions: ArrayOptions

    Returns Promise<any>

  • This method returns a new stream by applying the given callback to each chunk of the stream +and then flattening the result.

    +

    It is possible to return a stream or another iterable or async iterable from fn and the result streams +will be merged (flattened) into the returned stream.

    +

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => any)

      a function to map over every chunk in the stream. May be async. May be a stream or generator.

      +
        • (data, options?): any
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns any

    • Optionaloptions: ArrayOptions

    Returns Readable

    a stream flat-mapped with the function fn.

    +

    v17.5.0

    +
  • This method allows iterating a stream. For each chunk in the stream the fn function will be called. +If the fn function returns a promise - that promise will be awaited.

    +

    This method is different from for await...of loops in that it can optionally process chunks concurrently. +In addition, a forEach iteration can only be stopped by having passed a signal option +and aborting the related AbortController while for await...of can be stopped with break or return. +In either case the stream will be destroyed.

    +

    This method is different from listening to the 'data' event in that it uses the readable event +in the underlying machinary and can limit the number of concurrent fn calls.

    +

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => void | Promise<void>)

      a function to call on each chunk of the stream. Async or not.

      +
        • (data, options?): void | Promise<void>
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns void | Promise<void>

    • Optionaloptions: ArrayOptions

    Returns Promise<void>

    a promise for when the stream has finished.

    +

    v17.5.0

    +
  • Returns the current max listener value for the EventEmitter which is either +set by emitter.setMaxListeners(n) or defaults to EventEmitter.defaultMaxListeners.

    +

    Returns number

    v1.0.0

    +
  • The readable.isPaused() method returns the current operating state of the Readable. +This is used primarily by the mechanism that underlies the readable.pipe() method. +In most typical cases, there will be no reason to use this method directly.

    +
    const readable = new stream.Readable();

    readable.isPaused(); // === false
    readable.pause();
    readable.isPaused(); // === true
    readable.resume();
    readable.isPaused(); // === false +
    + +

    Returns boolean

    v0.11.14

    +
  • The iterator created by this method gives users the option to cancel the destruction +of the stream if the for await...of loop is exited by return, break, or throw, +or if the iterator should destroy the stream if the stream emitted an error during iteration.

    +

    Parameters

    • Optionaloptions: {
          destroyOnReturn?: boolean;
      }
      • OptionaldestroyOnReturn?: boolean

        When set to false, calling return on the async iterator, +or exiting a for await...of iteration using a break, return, or throw will not destroy the stream. +Default: true.

        +

    Returns AsyncIterator<any, any, any>

    v16.3.0

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol

      The name of the event being listened for

      +
    • Optionallistener: Function

      The event handler function

      +

    Returns number

    v3.2.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    });
    console.log(util.inspect(server.listeners('connection')));
    // Prints: [ [Function] ] +
    + +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol

    Returns Function[]

    v0.1.26

    +
  • This method allows mapping over the stream. The fn function will be called for every chunk in the stream. +If the fn function returns a promise - that promise will be awaited before being passed to the result stream.

    +

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => any)

      a function to map over every chunk in the stream. Async or not.

      +
        • (data, options?): any
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns any

    • Optionaloptions: ArrayOptions

    Returns Readable

    a stream mapped with the function fn.

    +

    v17.4.0, v16.14.0

    +
  • Alias for emitter.removeListener().

    +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol
    • listener: ((...args: any[]) => void)
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v10.0.0

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "data"
    • listener: ((chunk: any) => void)

      The callback function

      +
        • (chunk): void
        • Parameters

          • chunk: any

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "end"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "pause"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "readable"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "resume"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "data"
    • listener: ((chunk: any) => void)

      The callback function

      +
        • (chunk): void
        • Parameters

          • chunk: any

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "end"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "pause"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "readable"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "resume"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.3.0

    +
  • The readable.pause() method will cause a stream in flowing mode to stop +emitting 'data' events, switching out of flowing mode. Any data that +becomes available will remain in the internal buffer.

    +
    const readable = getReadableStreamSomehow();
    readable.on('data', (chunk) => {
    console.log(`Received ${chunk.length} bytes of data.`);
    readable.pause();
    console.log('There will be no additional data for 1 second.');
    setTimeout(() => {
    console.log('Now data will start flowing again.');
    readable.resume();
    }, 1000);
    }); +
    + +

    The readable.pause() method has no effect if there is a 'readable' event listener.

    +

    Returns this

    v0.9.4

    +
  • Type Parameters

    • T extends WritableStream

    Parameters

    • destination: T
    • Optionaloptions: {
          end?: boolean;
      }
      • Optionalend?: boolean

    Returns T

  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "data"
    • listener: ((chunk: any) => void)

      The callback function

      +
        • (chunk): void
        • Parameters

          • chunk: any

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "end"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "pause"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "readable"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "resume"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "data"
    • listener: ((chunk: any) => void)

      The callback function

      +
        • (chunk): void
        • Parameters

          • chunk: any

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "end"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "pause"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "readable"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "resume"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v6.0.0

    +
  • Parameters

    • chunk: any
    • Optionalencoding: BufferEncoding

    Returns boolean

  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol

    Returns Function[]

    v9.4.0

    +
  • The readable.read() method reads data out of the internal buffer and +returns it. If no data is available to be read, null is returned. By default, +the data is returned as a Buffer object unless an encoding has been +specified using the readable.setEncoding() method or the stream is operating +in object mode.

    +

    The optional size argument specifies a specific number of bytes to read. If +size bytes are not available to be read, null will be returned unless the +stream has ended, in which case all of the data remaining in the internal buffer +will be returned.

    +

    If the size argument is not specified, all of the data contained in the +internal buffer will be returned.

    +

    The size argument must be less than or equal to 1 GiB.

    +

    The readable.read() method should only be called on Readable streams +operating in paused mode. In flowing mode, readable.read() is called +automatically until the internal buffer is fully drained.

    +
    const readable = getReadableStreamSomehow();

    // 'readable' may be triggered multiple times as data is buffered in
    readable.on('readable', () => {
    let chunk;
    console.log('Stream is readable (new data received in buffer)');
    // Use a loop to make sure we read all currently available data
    while (null !== (chunk = readable.read())) {
    console.log(`Read ${chunk.length} bytes of data...`);
    }
    });

    // 'end' will be triggered once when there is no more data available
    readable.on('end', () => {
    console.log('Reached end of stream.');
    }); +
    + +

    Each call to readable.read() returns a chunk of data, or null. The chunks +are not concatenated. A while loop is necessary to consume all data +currently in the buffer. When reading a large file .read() may return null, +having consumed all buffered content so far, but there is still more data to +come not yet buffered. In this case a new 'readable' event will be emitted +when there is more data in the buffer. Finally the 'end' event will be +emitted when there is no more data to come.

    +

    Therefore to read a file's whole contents from a readable, it is necessary +to collect chunks across multiple 'readable' events:

    +
    const chunks = [];

    readable.on('readable', () => {
    let chunk;
    while (null !== (chunk = readable.read())) {
    chunks.push(chunk);
    }
    });

    readable.on('end', () => {
    const content = chunks.join('');
    }); +
    + +

    A Readable stream in object mode will always return a single item from +a call to readable.read(size), regardless of the value of the size argument.

    +

    If the readable.read() method returns a chunk of data, a 'data' event will +also be emitted.

    +

    Calling read after the 'end' event has +been emitted will return null. No runtime error will be raised.

    +

    Parameters

    • Optionalsize: number

      Optional argument to specify how much data to read.

      +

    Returns any

    v0.9.4

    +
  • This method calls fn on each chunk of the stream in order, passing it the result from the calculation +on the previous element. It returns a promise for the final value of the reduction.

    +

    If no initial value is supplied the first chunk of the stream is used as the initial value. +If the stream is empty, the promise is rejected with a TypeError with the ERR_INVALID_ARGS code property.

    +

    The reducer function iterates the stream element-by-element which means that there is no concurrency parameter +or parallelism. To perform a reduce concurrently, you can extract the async function to readable.map method.

    +

    Type Parameters

    • T = any

    Parameters

    • fn: ((previous: any, data: any, options?: Pick<ArrayOptions, "signal">) => T)

      a reducer function to call over every chunk in the stream. Async or not.

      +
        • (previous, data, options?): T
        • Parameters

          • previous: any
          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns T

    • Optionalinitial: undefined

      the initial value to use in the reduction.

      +
    • Optionaloptions: Pick<ArrayOptions, "signal">

    Returns Promise<T>

    a promise for the final value of the reduction.

    +

    v17.5.0

    +
  • Type Parameters

    • T = any

    Parameters

    • fn: ((previous: T, data: any, options?: Pick<ArrayOptions, "signal">) => T)
        • (previous, data, options?): T
        • Parameters

          • previous: T
          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns T

    • initial: T
    • Optionaloptions: Pick<ArrayOptions, "signal">

    Returns Promise<T>

  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • OptionaleventName: string | symbol

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "close"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "data"
    • listener: ((chunk: any) => void)
        • (chunk): void
        • Parameters

          • chunk: any

          Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "end"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "pause"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "readable"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "resume"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.1.26

    +
  • The readable.resume() method causes an explicitly paused Readable stream to +resume emitting 'data' events, switching the stream into flowing mode.

    +

    The readable.resume() method can be used to fully consume the data from a +stream without actually processing any of that data:

    +
    getReadableStreamSomehow()
    .resume()
    .on('end', () => {
    console.log('Reached the end, but did not read anything.');
    }); +
    + +

    The readable.resume() method has no effect if there is a 'readable' event listener.

    +

    Returns this

    v0.9.4

    +
  • The readable.setEncoding() method sets the character encoding for +data read from the Readable stream.

    +

    By default, no encoding is assigned and stream data will be returned as Buffer objects. Setting an encoding causes the stream data +to be returned as strings of the specified encoding rather than as Buffer objects. For instance, calling readable.setEncoding('utf8') will cause the +output data to be interpreted as UTF-8 data, and passed as strings. Calling readable.setEncoding('hex') will cause the data to be encoded in hexadecimal +string format.

    +

    The Readable stream will properly handle multi-byte characters delivered +through the stream that would otherwise become improperly decoded if simply +pulled from the stream as Buffer objects.

    +
    const readable = getReadableStreamSomehow();
    readable.setEncoding('utf8');
    readable.on('data', (chunk) => {
    assert.equal(typeof chunk, 'string');
    console.log('Got %d characters of string data:', chunk.length);
    }); +
    + +

    Parameters

    • encoding: BufferEncoding

      The encoding to use.

      +

    Returns this

    v0.9.4

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • This method is similar to Array.prototype.some and calls fn on each chunk in the stream +until the awaited return value is true (or any truthy value). Once an fn call on a chunk +awaited return value is truthy, the stream is destroyed and the promise is fulfilled with true. +If none of the fn calls on the chunks return a truthy value, the promise is fulfilled with false.

    +

    Parameters

    • fn: ((data: any, options?: Pick<ArrayOptions, "signal">) => boolean | Promise<boolean>)

      a function to call on each chunk of the stream. Async or not.

      +
        • (data, options?): boolean | Promise<boolean>
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns boolean | Promise<boolean>

    • Optionaloptions: ArrayOptions

    Returns Promise<boolean>

    a promise evaluating to true if fn returned a truthy value for at least one of the chunks.

    +

    v17.5.0

    +
  • Sets the 0-based offset in bytes to start streaming from. Throws +an error if this stream has entered flowing mode +(e.g. if you've already called on('data'))

    +

    Parameters

    • start: number = 0

      0-based offset in bytes to start streaming from

      +

    Returns this

  • This method returns a new stream with the first limit chunks.

    +

    Parameters

    • limit: number

      the number of chunks to take from the readable.

      +
    • Optionaloptions: Pick<ArrayOptions, "signal">

    Returns Readable

    a stream with limit chunks taken.

    +

    v17.5.0

    +
  • This method allows easily obtaining the contents of a stream.

    +

    As this method reads the entire stream into memory, it negates the benefits of streams. It's intended +for interoperability and convenience, not as the primary way to consume streams.

    +

    Parameters

    • Optionaloptions: Pick<ArrayOptions, "signal">

    Returns Promise<any[]>

    a promise containing an array with the contents of the stream.

    +

    v17.5.0

    +
  • The readable.unpipe() method detaches a Writable stream previously attached +using the pipe method.

    +

    If the destination is not specified, then all pipes are detached.

    +

    If the destination is specified, but no pipe is set up for it, then +the method does nothing.

    +
    import fs from 'node:fs';
    const readable = getReadableStreamSomehow();
    const writable = fs.createWriteStream('file.txt');
    // All the data from readable goes into 'file.txt',
    // but only for the first second.
    readable.pipe(writable);
    setTimeout(() => {
    console.log('Stop writing to file.txt.');
    readable.unpipe(writable);
    console.log('Manually close the file stream.');
    writable.end();
    }, 1000); +
    + +

    Parameters

    • Optionaldestination: WritableStream

      Optional specific stream to unpipe

      +

    Returns this

    v0.9.4

    +
  • Passing chunk as null signals the end of the stream (EOF) and behaves the +same as readable.push(null), after which no more data can be written. The EOF +signal is put at the end of the buffer and any buffered data will still be +flushed.

    +

    The readable.unshift() method pushes a chunk of data back into the internal +buffer. This is useful in certain situations where a stream is being consumed by +code that needs to "un-consume" some amount of data that it has optimistically +pulled out of the source, so that the data can be passed on to some other party.

    +

    The stream.unshift(chunk) method cannot be called after the 'end' event +has been emitted or a runtime error will be thrown.

    +

    Developers using stream.unshift() often should consider switching to +use of a Transform stream instead. See the API for stream implementers section for more information.

    +
    // Pull off a header delimited by \n\n.
    // Use unshift() if we get too much.
    // Call the callback with (error, header, stream).
    import { StringDecoder } from 'node:string_decoder';
    function parseHeader(stream, callback) {
    stream.on('error', callback);
    stream.on('readable', onReadable);
    const decoder = new StringDecoder('utf8');
    let header = '';
    function onReadable() {
    let chunk;
    while (null !== (chunk = stream.read())) {
    const str = decoder.write(chunk);
    if (str.includes('\n\n')) {
    // Found the header boundary.
    const split = str.split(/\n\n/);
    header += split.shift();
    const remaining = split.join('\n\n');
    const buf = Buffer.from(remaining, 'utf8');
    stream.removeListener('error', callback);
    // Remove the 'readable' listener before unshifting.
    stream.removeListener('readable', onReadable);
    if (buf.length)
    stream.unshift(buf);
    // Now the body of the message can be read from the stream.
    callback(null, header, stream);
    return;
    }
    // Still reading the header.
    header += str;
    }
    }
    } +
    + +

    Unlike push, stream.unshift(chunk) will not +end the reading process by resetting the internal reading state of the stream. +This can cause unexpected results if readable.unshift() is called during a +read (i.e. from within a _read implementation on a +custom stream). Following the call to readable.unshift() with an immediate push will reset the reading state appropriately, +however it is best to simply avoid calling readable.unshift() while in the +process of performing a read.

    +

    Parameters

    • chunk: any

      Chunk of data to unshift onto the read queue. For streams not operating in object mode, chunk must +be a {string}, {Buffer}, {TypedArray}, {DataView} or null. For object mode streams, chunk may be any JavaScript value.

      +
    • Optionalencoding: BufferEncoding

      Encoding of string chunks. Must be a valid Buffer encoding, such as 'utf8' or 'ascii'.

      +

    Returns void

    v0.9.11

    +
  • Prior to Node.js 0.10, streams did not implement the entire node:stream module API as it is currently defined. (See Compatibility for more +information.)

    +

    When using an older Node.js library that emits 'data' events and has a pause method that is advisory only, the readable.wrap() method can be used to create a Readable +stream that uses +the old stream as its data source.

    +

    It will rarely be necessary to use readable.wrap() but the method has been +provided as a convenience for interacting with older Node.js applications and +libraries.

    +
    import { OldReader } from './old-api-module.js';
    import { Readable } from 'node:stream';
    const oreader = new OldReader();
    const myReader = new Readable().wrap(oreader);

    myReader.on('readable', () => {
    myReader.read(); // etc.
    }); +
    + +

    Parameters

    • stream: ReadableStream

      An "old style" readable stream

      +

    Returns this

    v0.9.4

    +
  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • A utility method for creating Readable Streams out of iterators.

    +

    Parameters

    • iterable: Iterable<any> | AsyncIterable<any>

      Object implementing the Symbol.asyncIterator or Symbol.iterator iterable protocol. Emits an 'error' event if a null value is passed.

      +
    • Optionaloptions: ReadableOptions

      Options provided to new stream.Readable([options]). By default, Readable.from() will set options.objectMode to true, unless this is explicitly opted out by setting options.objectMode to false.

      +

    Returns Readable

    v12.3.0, v10.17.0

    +
  • Experimental

    A utility method for creating a Readable from a web ReadableStream.

    +

    Parameters

    • readableStream: ReadableStream<any>
    • Optionaloptions: Pick<ReadableOptions,
          | "signal"
          | "objectMode"
          | "highWaterMark"
          | "encoding">

    Returns Readable

    v17.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • Returns whether the stream has been read from or cancelled.

    +

    Parameters

    • stream: Readable | ReadableStream

    Returns boolean

    v16.8.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
  • Experimental

    A utility method for creating a web ReadableStream from a Readable.

    +

    Parameters

    • streamReadable: Readable
    • Optionaloptions: {
          strategy?: QueuingStrategy<any>;
      }
      • Optionalstrategy?: QueuingStrategy<any>

    Returns ReadableStream<any>

    v17.0.0

    +
diff --git a/docs/6.14/classes/GridFSBucketWriteStream.html b/docs/6.14/classes/GridFSBucketWriteStream.html new file mode 100644 index 00000000000..99b17eeb390 --- /dev/null +++ b/docs/6.14/classes/GridFSBucketWriteStream.html @@ -0,0 +1,953 @@ +GridFSBucketWriteStream | mongodb

Class GridFSBucketWriteStream

A writable stream that enables you to write buffers to GridFS.

+

Do not instantiate this class directly. Use openUploadStream() instead.

+

Hierarchy

  • Writable
    • GridFSBucketWriteStream

Properties

bucket: GridFSBucket
bufToStore: Buffer

Space used to store a chunk currently being inserted

+

A Collection instance where the file's chunks are stored

+
chunkSizeBytes: number

The number of bytes that each chunk will be limited to

+
closed: boolean

Is true after 'close' has been emitted.

+

v18.0.0

+
destroyed: boolean

Is true after writable.destroy() has been called.

+

v8.0.0

+
done: boolean

Indicates the stream is finished uploading

+
errored: null | Error

Returns error if the stream has been destroyed with an error.

+

v18.0.0

+
filename: string

The name of the file

+

A Collection instance where the file's GridFSFile document is stored

+
gridFSFile: null | GridFSFile = null

The document containing information about the inserted file. +This property is defined after the finish event has been emitted. +It will remain null if an error occurs.

+
fs.createReadStream('file.txt')
.pipe(bucket.openUploadStream('file.txt'))
.on('finish', function () {
console.log(this.gridFSFile)
}) +
+ +

The ObjectId used for the _id field on the GridFSFile document

+
length: number

Accumulates the number of bytes inserted as the stream uploads chunks

+
n: number

Accumulates the number of chunks inserted as the stream uploads file contents

+

Options controlling the metadata inserted along with the file

+
pos: number

Tracks the current offset into the buffered bytes being uploaded

+
state: {
    aborted: boolean;
    errored: boolean;
    outstandingRequests: number;
    streamEnd: boolean;
}

Contains a number of properties indicating the current state of the stream

+

Type declaration

  • aborted: boolean

    If set the stream was intentionally aborted

    +
  • errored: boolean

    If set an error occurred during insertion

    +
  • outstandingRequests: number

    Indicates the number of chunks that still need to be inserted to exhaust the current buffered data

    +
  • streamEnd: boolean

    If set the stream has ended

    +
writable: boolean

Is true if it is safe to call writable.write(), which means +the stream has not been destroyed, errored, or ended.

+

v11.4.0

+
writableCorked: number

Number of times writable.uncork() needs to be +called in order to fully uncork the stream.

+

v13.2.0, v12.16.0

+
writableEnded: boolean

Is true after writable.end() has been called. This property +does not indicate whether the data has been flushed, for this use writable.writableFinished instead.

+

v12.9.0

+
writableFinished: boolean

Is set to true immediately before the 'finish' event is emitted.

+

v12.6.0

+
writableHighWaterMark: number

Return the value of highWaterMark passed when creating this Writable.

+

v9.3.0

+
writableLength: number

This property contains the number of bytes (or objects) in the queue +ready to be written. The value provides introspection data regarding +the status of the highWaterMark.

+

v9.4.0

+
writableNeedDrain: boolean

Is true if the stream's buffer has been full and stream will emit 'drain'.

+

v15.2.0, v14.17.0

+
writableObjectMode: boolean

Getter for the property objectMode of a given Writable stream.

+

v12.3.0

+
writeConcern?: WriteConcern

The write concern setting to be used with every insert operation

+
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Methods

  • Parameters

    • error: null | Error
    • callback: ((error?: null | Error) => void)
        • (error?): void
        • Parameters

          • Optionalerror: null | Error

          Returns void

    Returns void

  • Parameters

    • chunks: {
          chunk: any;
          encoding: BufferEncoding;
      }[]
    • callback: ((error?: null | Error) => void)
        • (error?): void
        • Parameters

          • Optionalerror: null | Error

          Returns void

    Returns void

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Places this write stream into an aborted state (all future writes fail) +and deletes all chunks that have already been written.

    +

    Returns Promise<void>

  • Event emitter +The defined events on documents including:

    +
      +
    1. close
    2. +
    3. drain
    4. +
    5. error
    6. +
    7. finish
    8. +
    9. pipe
    10. +
    11. unpipe
    12. +
    +

    Parameters

    • event: "close"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "drain"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "finish"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "pipe"
    • listener: ((src: Readable) => void)
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: "unpipe"
    • listener: ((src: Readable) => void)
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.1.26

    +
  • Type Parameters

    • T extends ReadableStream

    Parameters

    • stream:
          | ComposeFnParam
          | T
          | Iterable<T>
          | AsyncIterable<T>
    • Optionaloptions: {
          signal: AbortSignal;
      }
      • signal: AbortSignal

    Returns T

  • The writable.cork() method forces all written data to be buffered in memory. +The buffered data will be flushed when either the uncork or end methods are called.

    +

    The primary intent of writable.cork() is to accommodate a situation in which +several small chunks are written to the stream in rapid succession. Instead of +immediately forwarding them to the underlying destination, writable.cork() buffers all the chunks until writable.uncork() is called, which will pass them +all to writable._writev(), if present. This prevents a head-of-line blocking +situation where data is being buffered while waiting for the first small chunk +to be processed. However, use of writable.cork() without implementing writable._writev() may have an adverse effect on throughput.

    +

    See also: writable.uncork(), writable._writev().

    +

    Returns void

    v0.11.2

    +
  • Destroy the stream. Optionally emit an 'error' event, and emit a 'close' event (unless emitClose is set to false). After this call, the writable +stream has ended and subsequent calls to write() or end() will result in +an ERR_STREAM_DESTROYED error. +This is a destructive and immediate way to destroy a stream. Previous calls to write() may not have drained, and may trigger an ERR_STREAM_DESTROYED error. +Use end() instead of destroy if data should flush before close, or wait for +the 'drain' event before destroying the stream.

    +

    Once destroy() has been called any further calls will be a no-op and no +further errors except from _destroy() may be emitted as 'error'.

    +

    Implementors should not override this method, +but instead implement writable._destroy().

    +

    Parameters

    • Optionalerror: Error

      Optional, an error to emit with 'error' event.

      +

    Returns this

    v8.0.0

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "close"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "drain"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "error"
    • err: Error

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "finish"

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "pipe"
    • src: Readable

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: "unpipe"
    • src: Readable

    Returns boolean

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Parameters

    • event: string | symbol
    • Rest...args: any[]

    Returns boolean

    v0.1.26

    +
  • Calling the writable.end() method signals that no more data will be written +to the Writable. The optional chunk and encoding arguments allow one +final additional chunk of data to be written immediately before closing the +stream.

    +

    Calling the write method after calling end will raise an error.

    +
    // Write 'hello, ' and then end with 'world!'.
    import fs from 'node:fs';
    const file = fs.createWriteStream('example.txt');
    file.write('hello, ');
    file.end('world!');
    // Writing more now is not allowed! +
    + +

    Parameters

    • Optionalcb: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.9.4

    +
  • Parameters

    • chunk: any
    • Optionalcb: (() => void)
        • (): void
        • Returns void

    Returns this

  • Parameters

    • chunk: any
    • encoding: BufferEncoding
    • Optionalcb: (() => void)
        • (): void
        • Returns void

    Returns this

  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns (string | symbol)[]

    v6.0.0

    +
  • Returns the current max listener value for the EventEmitter which is either +set by emitter.setMaxListeners(n) or defaults to EventEmitter.defaultMaxListeners.

    +

    Returns number

    v1.0.0

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol

      The name of the event being listened for

      +
    • Optionallistener: Function

      The event handler function

      +

    Returns number

    v3.2.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    });
    console.log(util.inspect(server.listeners('connection')));
    // Prints: [ [Function] ] +
    + +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol

    Returns Function[]

    v0.1.26

    +
  • Alias for emitter.removeListener().

    +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol
    • listener: ((...args: any[]) => void)
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v10.0.0

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "drain"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "finish"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "pipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "unpipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "drain"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "finish"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "pipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: "unpipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.3.0

    +
  • Type Parameters

    • T extends WritableStream

    Parameters

    • destination: T
    • Optionaloptions: {
          end?: boolean;
      }
      • Optionalend?: boolean

    Returns T

  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "drain"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "finish"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "pipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "unpipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "close"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "drain"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)

      The callback function

      +
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "finish"
    • listener: (() => void)

      The callback function

      +
        • (): void
        • Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "pipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "unpipe"
    • listener: ((src: Readable) => void)

      The callback function

      +
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)

      The callback function

      +
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • K

    Parameters

    • eventName: string | symbol

    Returns Function[]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • OptionaleventName: string | symbol

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "close"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "drain"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "error"
    • listener: ((err: Error) => void)
        • (err): void
        • Parameters

          • err: Error

          Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "finish"
    • listener: (() => void)
        • (): void
        • Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "pipe"
    • listener: ((src: Readable) => void)
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: "unpipe"
    • listener: ((src: Readable) => void)
        • (src): void
        • Parameters

          • src: Readable

          Returns void

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: string | symbol
    • listener: ((...args: any[]) => void)
        • (...args): void
        • Parameters

          • Rest...args: any[]

          Returns void

    Returns this

    v0.1.26

    +
  • The writable.setDefaultEncoding() method sets the default encoding for a Writable stream.

    +

    Parameters

    • encoding: BufferEncoding

      The new default encoding

      +

    Returns this

    v0.11.15

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • The writable.uncork() method flushes all data buffered since cork was called.

    +

    When using writable.cork() and writable.uncork() to manage the buffering +of writes to a stream, defer calls to writable.uncork() using process.nextTick(). Doing so allows batching of all writable.write() calls that occur within a given Node.js event +loop phase.

    +
    stream.cork();
    stream.write('some ');
    stream.write('data ');
    process.nextTick(() => stream.uncork()); +
    + +

    If the writable.cork() method is called multiple times on a stream, the +same number of calls to writable.uncork() must be called to flush the buffered +data.

    +
    stream.cork();
    stream.write('some ');
    stream.cork();
    stream.write('data ');
    process.nextTick(() => {
    stream.uncork();
    // The data will not be flushed until uncork() is called a second time.
    stream.uncork();
    }); +
    + +

    See also: writable.cork().

    +

    Returns void

    v0.11.2

    +
  • The writable.write() method writes some data to the stream, and calls the +supplied callback once the data has been fully handled. If an error +occurs, the callback will be called with the error as its +first argument. The callback is called asynchronously and before 'error' is +emitted.

    +

    The return value is true if the internal buffer is less than the highWaterMark configured when the stream was created after admitting chunk. +If false is returned, further attempts to write data to the stream should +stop until the 'drain' event is emitted.

    +

    While a stream is not draining, calls to write() will buffer chunk, and +return false. Once all currently buffered chunks are drained (accepted for +delivery by the operating system), the 'drain' event will be emitted. +Once write() returns false, do not write more chunks +until the 'drain' event is emitted. While calling write() on a stream that +is not draining is allowed, Node.js will buffer all written chunks until +maximum memory usage occurs, at which point it will abort unconditionally. +Even before it aborts, high memory usage will cause poor garbage collector +performance and high RSS (which is not typically released back to the system, +even after the memory is no longer required). Since TCP sockets may never +drain if the remote peer does not read the data, writing a socket that is +not draining may lead to a remotely exploitable vulnerability.

    +

    Writing data while the stream is not draining is particularly +problematic for a Transform, because the Transform streams are paused +by default until they are piped or a 'data' or 'readable' event handler +is added.

    +

    If the data to be written can be generated or fetched on demand, it is +recommended to encapsulate the logic into a Readable and use pipe. However, if calling write() is preferred, it is +possible to respect backpressure and avoid memory issues using the 'drain' event:

    +
    function write(data, cb) {
    if (!stream.write(data)) {
    stream.once('drain', cb);
    } else {
    process.nextTick(cb);
    }
    }

    // Wait for cb to be called before doing any other write.
    write('hello', () => {
    console.log('Write completed, do more writes now.');
    }); +
    + +

    A Writable stream in object mode will always ignore the encoding argument.

    +

    Parameters

    • chunk: any

      Optional data to write. For streams not operating in object mode, chunk must be a {string}, {Buffer}, +{TypedArray} or {DataView}. For object mode streams, chunk may be any JavaScript value other than null.

      +
    • Optionalcallback: ((error: undefined | null | Error) => void)

      Callback for when this chunk of data is flushed.

      +
        • (error): void
        • Parameters

          • error: undefined | null | Error

          Returns void

    Returns boolean

    false if the stream wishes for the calling code to wait for the 'drain' event to be emitted before continuing to write additional data; otherwise true.

    +

    v0.9.4

    +
  • Parameters

    • chunk: any
    • encoding: BufferEncoding
    • Optionalcallback: ((error: undefined | null | Error) => void)
        • (error): void
        • Parameters

          • error: undefined | null | Error

          Returns void

    Returns boolean

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Experimental

    A utility method for creating a Writable from a web WritableStream.

    +

    Parameters

    • writableStream: WritableStream<any>
    • Optionaloptions: Pick<WritableOptions,
          | "signal"
          | "objectMode"
          | "highWaterMark"
          | "decodeStrings">

    Returns Writable

    v17.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
  • Experimental

    A utility method for creating a web WritableStream from a Writable.

    +

    Parameters

    • streamWritable: Writable

    Returns WritableStream<any>

    v17.0.0

    +
diff --git a/docs/6.14/classes/HostAddress.html b/docs/6.14/classes/HostAddress.html new file mode 100644 index 00000000000..5e6474ef792 --- /dev/null +++ b/docs/6.14/classes/HostAddress.html @@ -0,0 +1,12 @@ +HostAddress | mongodb

Class HostAddress

Constructors

Properties

host: undefined | string = undefined
isIPv6: boolean = false
port: undefined | number = undefined
socketPath: undefined | string = undefined

Methods

  • Returns {
        host: string;
        port: number;
    }

    • host: string
    • port: number
diff --git a/docs/6.14/classes/ListCollectionsCursor.html b/docs/6.14/classes/ListCollectionsCursor.html new file mode 100644 index 00000000000..da05ad38fa3 --- /dev/null +++ b/docs/6.14/classes/ListCollectionsCursor.html @@ -0,0 +1,513 @@ +ListCollectionsCursor | mongodb

Class ListCollectionsCursor<T>

Type Parameters

Hierarchy (view full)

Constructors

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
filter: Document
parent: Db
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Frees any client-side resources used by the cursor.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: T) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          • doc: T

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T = any

    Parameters

    • transform: ((doc: T) => T)

      The mapping transformation method.

      +
        • (doc): T
        • Parameters

          • doc: T

          Returns T

    Returns AbstractCursor<T, AbstractCursorEvents>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<T[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/ListIndexesCursor.html b/docs/6.14/classes/ListIndexesCursor.html new file mode 100644 index 00000000000..39decb30348 --- /dev/null +++ b/docs/6.14/classes/ListIndexesCursor.html @@ -0,0 +1,512 @@ +ListIndexesCursor | mongodb

Class ListIndexesCursor

Hierarchy (view full)

Constructors

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Frees any client-side resources used by the cursor.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: any) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          • doc: any

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T = any

    Parameters

    • transform: ((doc: any) => T)

      The mapping transformation method.

      +
        • (doc): T
        • Parameters

          • doc: any

          Returns T

    Returns AbstractCursor<T, AbstractCursorEvents>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<any[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/ListSearchIndexesCursor.html b/docs/6.14/classes/ListSearchIndexesCursor.html new file mode 100644 index 00000000000..3da63693cf7 --- /dev/null +++ b/docs/6.14/classes/ListSearchIndexesCursor.html @@ -0,0 +1,556 @@ +ListSearchIndexesCursor | mongodb

Class ListSearchIndexesCursor

Hierarchy (view full)

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
pipeline: Document[]
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    +

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      +
    • value: boolean

      The flag boolean value.

      +

    Returns this

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: {
          name: string;
      }) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          • doc: {
                name: string;
            }
            • name: string

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T

    Parameters

    • transform: ((doc: {
          name: string;
      }) => T)

      The mapping transformation method.

      +
        • (doc): T
        • Parameters

          • doc: {
                name: string;
            }
            • name: string

          Returns T

    Returns AggregationCursor<T>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      +

    Returns this

  • Get the next available document from the cursor, returns null if no more documents are available.

    +

    Returns Promise<null | {
        name: string;
    }>

  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Add a project stage to the aggregation pipeline

    +

    Type Parameters

    Parameters

    Returns AggregationCursor<T>

    In order to strictly type this function you must provide an interface +that represents the effect of your projection on the result documents.

    +

    By default chaining a projection to your cursor changes the returned type to the generic Document type. +You should specify a parameterized type to have assertions on your final results.

    +
    // Best way
    const docs: AggregationCursor<{ a: number }> = cursor.project<{ a: number }>({ _id: 0, a: true });
    // Flexible way
    const docs: AggregationCursor<Document> = cursor.project({ _id: 0, a: true }); +
    + +
    const cursor: AggregationCursor<{ a: number; b: string }> = coll.aggregate([]);
    const projectCursor = cursor.project<{ a: number }>({ _id: 0, a: true });
    const aPropOnlyArray: {a: number}[] = await projectCursor.toArray();

    // or always use chaining and save the final cursor

    const cursor = coll.aggregate().project<{ a: string }>({
    _id: 0,
    a: { $convert: { input: '$a', to: 'string' }
    }}); +
    + +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<{
        name: string;
    }[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/MongoAPIError.html b/docs/6.14/classes/MongoAPIError.html new file mode 100644 index 00000000000..791540ccbf4 --- /dev/null +++ b/docs/6.14/classes/MongoAPIError.html @@ -0,0 +1,29 @@ +MongoAPIError | mongodb

Class MongoAPIError

An error generated when the driver API is used incorrectly

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoAPIError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoAWSError.html b/docs/6.14/classes/MongoAWSError.html new file mode 100644 index 00000000000..26533fc7023 --- /dev/null +++ b/docs/6.14/classes/MongoAWSError.html @@ -0,0 +1,30 @@ +MongoAWSError | mongodb

Class MongoAWSError

A error generated when the user attempts to authenticate +via AWS, but fails

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoAWSError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoAzureError.html b/docs/6.14/classes/MongoAzureError.html new file mode 100644 index 00000000000..ea9c362c2d5 --- /dev/null +++ b/docs/6.14/classes/MongoAzureError.html @@ -0,0 +1,30 @@ +MongoAzureError | mongodb

Class MongoAzureError

A error generated when the user attempts to authenticate +via Azure, but fails.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string

    Returns MongoAzureError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoBatchReExecutionError.html b/docs/6.14/classes/MongoBatchReExecutionError.html new file mode 100644 index 00000000000..a07e7f253f2 --- /dev/null +++ b/docs/6.14/classes/MongoBatchReExecutionError.html @@ -0,0 +1,30 @@ +MongoBatchReExecutionError | mongodb

Class MongoBatchReExecutionError

An error generated when a batch command is re-executed after one of the commands in the batch +has failed

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string = 'This batch has already been executed, create new batch to execute'

    Returns MongoBatchReExecutionError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoBulkWriteError.html b/docs/6.14/classes/MongoBulkWriteError.html new file mode 100644 index 00000000000..ec053757170 --- /dev/null +++ b/docs/6.14/classes/MongoBulkWriteError.html @@ -0,0 +1,52 @@ +MongoBulkWriteError | mongodb

Class MongoBulkWriteError

An error indicating an unsuccessful Bulk Write

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
codeName?: string
connectionGeneration?: number
errInfo?: Document
errorResponse: ErrorDescription

Raw error result document returned by server.

+
message: string
ok?: number
stack?: string
topologyVersion?: TopologyVersion
writeConcernError?: Document
writeErrors: OneOrMore<WriteError> = []
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get insertedIds(): {
        [key: number]: any;
    }
  • Inserted document generated Id's, hash key is the index of the originating operation

    +

    Returns {
        [key: number]: any;
    }

    • [key: number]: any
  • get matchedCount(): number
  • Number of documents matched for update.

    +

    Returns number

  • get upsertedIds(): {
        [key: number]: any;
    }
  • Upserted document generated Id's, hash key is the index of the originating operation

    +

    Returns {
        [key: number]: any;
    }

    • [key: number]: any

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoChangeStreamError.html b/docs/6.14/classes/MongoChangeStreamError.html new file mode 100644 index 00000000000..5f00732cc1b --- /dev/null +++ b/docs/6.14/classes/MongoChangeStreamError.html @@ -0,0 +1,29 @@ +MongoChangeStreamError | mongodb

Class MongoChangeStreamError

An error generated when a ChangeStream operation fails to execute.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoClient.html b/docs/6.14/classes/MongoClient.html new file mode 100644 index 00000000000..cf38df7e0dc --- /dev/null +++ b/docs/6.14/classes/MongoClient.html @@ -0,0 +1,510 @@ +MongoClient | mongodb

Class MongoClient

The MongoClient class is a class that allows for making Connections to MongoDB.

+

The programmatically provided options take precedence over the URI options.

+
import { MongoClient } from 'mongodb';

// Enable command monitoring for debugging
const client = new MongoClient('mongodb://localhost:27017', { monitorCommands: true });

client.on('commandStarted', started => console.log(started));
client.db().collection('pets');
await client.insertOne({ name: 'spot', kind: 'dog' }); +
+ +

Hierarchy (view full)

Implements

Constructors

Properties

[asyncDispose]: (() => Promise<void>)

An alias for MongoClient.close().

+
options: Readonly<Omit<MongoOptions,
    | "ca"
    | "cert"
    | "crl"
    | "key"
    | "monitorCommands">> & Pick<MongoOptions,
    | "ca"
    | "cert"
    | "crl"
    | "key"
    | "monitorCommands">

The consolidate, parsed, transformed and merged options.

+
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Alias for emitter.on(eventName, listener).

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Cleans up client-side resources used by the MongoCLient and . This includes:

    +
      +
    • Closes all open, unused connections (see note).
    • +
    • Ends all in-use sessions with ClientSession.endSession().
    • +
    • Ends all unused sessions server-side.
    • +
    • Cleans up any resources being used for auto encryption if auto encryption is enabled.
    • +
    +

    Parameters

    • force: boolean = false

      Force close, emitting no events

      +

    Returns Promise<void>

    Any in-progress operations are not killed and any connections used by in progress operations +will be cleaned up lazily as operations finish.

    +
  • Connect to MongoDB using a url

    +

    Returns Promise<MongoClient>

    Calling connect is optional since the first operation you perform will call connect if it's needed. +timeoutMS will bound the time any operation can take before throwing a timeout error. +However, when the operation being run is automatically connecting your MongoClient the timeoutMS will not apply to the time taken to connect the MongoClient. +This means the time to setup the MongoClient does not count against timeoutMS. +If you are using timeoutMS we recommend connecting your client explicitly in advance of any operation to avoid this inconsistent execution time.

    +

    docs.mongodb.org/manual/reference/connection-string/

    +
  • Create a new Db instance sharing the current socket connections.

    +

    Parameters

    • OptionaldbName: string

      The name of the database we want to use. If not provided, use database name from connection string.

      +
    • Optionaloptions: DbOptions

      Optional settings for Db construction

      +

    Returns Db

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns number

    v3.2.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    });
    console.log(util.inspect(server.listeners('connection')));
    // Prints: [ [Function] ] +
    + +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns MongoClientEvents[EventKey][]

    v0.1.26

    +
  • Alias for emitter.removeListener().

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v10.0.0

    +
  • Alias for emitter.removeListener().

    +

    Parameters

    Returns this

    v10.0.0

    +
  • Alias for emitter.removeListener().

    +

    Parameters

    Returns this

    v10.0.0

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns MongoClientEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends
          | "error"
          | "timeout"
          | "close"
          | "open"
          | "serverOpening"
          | "serverClosed"
          | "serverDescriptionChanged"
          | "topologyOpening"
          | "topologyClosed"
          | "topologyDescriptionChanged"
          | "connectionPoolCreated"
          | "connectionPoolClosed"
          | "connectionPoolCleared"
          | "connectionPoolReady"
          | "connectionCreated"
          | "connectionReady"
          | "connectionClosed"
          | "connectionCheckOutStarted"
          | "connectionCheckOutFailed"
          | "connectionCheckedOut"
          | "connectionCheckedIn"
          | "commandStarted"
          | "commandSucceeded"
          | "commandFailed"
          | "serverHeartbeatStarted"
          | "serverHeartbeatSucceeded"
          | "serverHeartbeatFailed"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Creates a new ClientSession. When using the returned session in an operation +a corresponding ServerSession will be created.

    +

    Parameters

    Returns ClientSession

    A ClientSession instance may only be passed to operations being performed on the same +MongoClient it was started from.

    +
  • 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, and config databases.

    +

    Type Parameters

    Parameters

    • pipeline: Document[] = []

      An array of pipeline stages through which to pass change stream documents. This allows for filtering (using $match) and manipulating the change stream documents.

      +
    • options: ChangeStreamOptions = {}

      Optional settings for the command

      +

    Returns ChangeStream<TSchema, TChange>

    watch() accepts two generic arguments for distinct use cases:

    +
      +
    • The first is to provide the schema that may be defined for all the data within the current cluster
    • +
    • The second is to override the shape of the change stream document entirely, if it is not provided the type will default to ChangeStreamDocument of the first argument
    • +
    +

    In iterator mode, if a next() call throws a timeout error, it will attempt to resume the change stream. +The next call can just be retried after this succeeds.

    +
    const changeStream = collection.watch([], { timeoutMS: 100 });
    try {
    await changeStream.next();
    } catch (e) {
    if (e instanceof MongoOperationTimeoutError && !changeStream.closed) {
    await changeStream.next();
    }
    throw e;
    } +
    + +

    In emitter mode, if the change stream goes timeoutMS without emitting a change event, it will +emit an error event that returns a MongoOperationTimeoutError, but will not close the change +stream unless the resume attempt fails. There is no need to re-establish change listeners as +this will automatically continue emitting change events once the resume attempt completes.

    +
    const changeStream = collection.watch([], { timeoutMS: 100 });
    changeStream.on('change', console.log);
    changeStream.on('error', e => {
    if (e instanceof MongoOperationTimeoutError && !changeStream.closed) {
    // do nothing
    } else {
    changeStream.close();
    }
    }); +
    + +
  • A convenience method for creating and handling the clean up of a ClientSession. +The session will always be ended when the executor finishes.

    +

    Type Parameters

    • T = any

    Parameters

    • executor: WithSessionCallback<T>

      An executor function that all operations using the provided session must be invoked in

      +

    Returns Promise<T>

  • Type Parameters

    • T = any

    Parameters

    Returns Promise<T>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Connect to MongoDB using a url

    +

    Parameters

    Returns Promise<MongoClient>

    Calling connect is optional since the first operation you perform will call connect if it's needed. +timeoutMS will bound the time any operation can take before throwing a timeout error. +However, when the operation being run is automatically connecting your MongoClient the timeoutMS will not apply to the time taken to connect the MongoClient. +This means the time to setup the MongoClient does not count against timeoutMS. +If you are using timeoutMS we recommend connecting your client explicitly in advance of any operation to avoid this inconsistent execution time.

    +

    https://www.mongodb.com/docs/manual/reference/connection-string/

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/MongoClientBulkWriteCursorError.html b/docs/6.14/classes/MongoClientBulkWriteCursorError.html new file mode 100644 index 00000000000..fb68797b4c7 --- /dev/null +++ b/docs/6.14/classes/MongoClientBulkWriteCursorError.html @@ -0,0 +1,29 @@ +MongoClientBulkWriteCursorError | mongodb

Class MongoClientBulkWriteCursorError

An error indicating that an error occurred when processing bulk write results.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoClientBulkWriteError.html b/docs/6.14/classes/MongoClientBulkWriteError.html new file mode 100644 index 00000000000..ace69ff6052 --- /dev/null +++ b/docs/6.14/classes/MongoClientBulkWriteError.html @@ -0,0 +1,42 @@ +MongoClientBulkWriteError | mongodb

Class MongoClientBulkWriteError

An error indicating that an error occurred when executing the bulk write.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
codeName?: string
connectionGeneration?: number
errInfo?: Document
errorResponse: ErrorDescription

Raw error result document returned by server.

+
message: string
ok?: number
partialResult?: ClientBulkWriteResult

The results of any successful operations that were performed before the error was +encountered.

+
stack?: string
topologyVersion?: TopologyVersion
writeConcernError?: Document
writeConcernErrors: Document[]

Write concern errors that occurred while executing the bulk write. This list may have +multiple items if more than one server command was required to execute the bulk write.

+
writeErrors: Map<number, ClientBulkWriteError>

Errors that occurred during the execution of individual write operations. This map will +contain at most one entry if the bulk write was ordered.

+
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoClientBulkWriteExecutionError.html b/docs/6.14/classes/MongoClientBulkWriteExecutionError.html new file mode 100644 index 00000000000..c0c43ff2a05 --- /dev/null +++ b/docs/6.14/classes/MongoClientBulkWriteExecutionError.html @@ -0,0 +1,29 @@ +MongoClientBulkWriteExecutionError | mongodb

Class MongoClientBulkWriteExecutionError

An error indicating that an error occurred on the client when executing a client bulk write.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCompatibilityError.html b/docs/6.14/classes/MongoCompatibilityError.html new file mode 100644 index 00000000000..3d72a9d7453 --- /dev/null +++ b/docs/6.14/classes/MongoCompatibilityError.html @@ -0,0 +1,30 @@ +MongoCompatibilityError | mongodb

Class MongoCompatibilityError

An error generated when a feature that is not enabled or allowed for the current server +configuration is used

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCredentials.html b/docs/6.14/classes/MongoCredentials.html new file mode 100644 index 00000000000..10caf81d5b0 --- /dev/null +++ b/docs/6.14/classes/MongoCredentials.html @@ -0,0 +1,21 @@ +MongoCredentials | mongodb

Class MongoCredentials

A representation of the credentials used by MongoDB

+

Constructors

Properties

mechanism: AuthMechanism

The method used to authenticate

+
mechanismProperties: AuthMechanismProperties

Special properties used by some types of auth mechanisms

+
password: string

The password used for authentication

+
source: string

The database that the user should authenticate against

+
username: string

The username used for authentication

+

Methods

diff --git a/docs/6.14/classes/MongoCryptAzureKMSRequestError.html b/docs/6.14/classes/MongoCryptAzureKMSRequestError.html new file mode 100644 index 00000000000..6cd8bed175f --- /dev/null +++ b/docs/6.14/classes/MongoCryptAzureKMSRequestError.html @@ -0,0 +1,31 @@ +MongoCryptAzureKMSRequestError | mongodb

Class MongoCryptAzureKMSRequestError

An error indicating that mongodb-client-encryption failed to auto-refresh Azure KMS credentials.

+

Hierarchy (view full)

Constructors

Properties

body?: Document

The body of the http response that failed, if present.

+
cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCryptCreateDataKeyError.html b/docs/6.14/classes/MongoCryptCreateDataKeyError.html new file mode 100644 index 00000000000..5e6ce1b9f71 --- /dev/null +++ b/docs/6.14/classes/MongoCryptCreateDataKeyError.html @@ -0,0 +1,30 @@ +MongoCryptCreateDataKeyError | mongodb

Class MongoCryptCreateDataKeyError

An error indicating that ClientEncryption.createEncryptedCollection() failed to create data keys

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
encryptedFields: Document
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCryptCreateEncryptedCollectionError.html b/docs/6.14/classes/MongoCryptCreateEncryptedCollectionError.html new file mode 100644 index 00000000000..537545423c7 --- /dev/null +++ b/docs/6.14/classes/MongoCryptCreateEncryptedCollectionError.html @@ -0,0 +1,30 @@ +MongoCryptCreateEncryptedCollectionError | mongodb

Class MongoCryptCreateEncryptedCollectionError

An error indicating that ClientEncryption.createEncryptedCollection() failed to create a collection

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
encryptedFields: Document
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCryptError.html b/docs/6.14/classes/MongoCryptError.html new file mode 100644 index 00000000000..57ec16bdecd --- /dev/null +++ b/docs/6.14/classes/MongoCryptError.html @@ -0,0 +1,29 @@ +MongoCryptError | mongodb

Class MongoCryptError

An error indicating that something went wrong specifically with MongoDB Client Encryption

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • options: {
          cause?: Error;
      } = {}
      • Optionalcause?: Error

    Returns MongoCryptError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCryptInvalidArgumentError.html b/docs/6.14/classes/MongoCryptInvalidArgumentError.html new file mode 100644 index 00000000000..17b635b5b57 --- /dev/null +++ b/docs/6.14/classes/MongoCryptInvalidArgumentError.html @@ -0,0 +1,29 @@ +MongoCryptInvalidArgumentError | mongodb

Class MongoCryptInvalidArgumentError

An error indicating an invalid argument was provided to an encryption API.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCryptKMSRequestNetworkTimeoutError.html b/docs/6.14/classes/MongoCryptKMSRequestNetworkTimeoutError.html new file mode 100644 index 00000000000..b749df61c45 --- /dev/null +++ b/docs/6.14/classes/MongoCryptKMSRequestNetworkTimeoutError.html @@ -0,0 +1,28 @@ +MongoCryptKMSRequestNetworkTimeoutError | mongodb

Class MongoCryptKMSRequestNetworkTimeoutError

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCursorExhaustedError.html b/docs/6.14/classes/MongoCursorExhaustedError.html new file mode 100644 index 00000000000..bccba44c53c --- /dev/null +++ b/docs/6.14/classes/MongoCursorExhaustedError.html @@ -0,0 +1,29 @@ +MongoCursorExhaustedError | mongodb

Class MongoCursorExhaustedError

An error thrown when an attempt is made to read from a cursor that has been exhausted

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoCursorInUseError.html b/docs/6.14/classes/MongoCursorInUseError.html new file mode 100644 index 00000000000..53451468c6e --- /dev/null +++ b/docs/6.14/classes/MongoCursorInUseError.html @@ -0,0 +1,30 @@ +MongoCursorInUseError | mongodb

Class MongoCursorInUseError

An error thrown when the user attempts to add options to a cursor that has already been +initialized

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string = 'Cursor is already initialized'

    Returns MongoCursorInUseError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoDBCollectionNamespace.html b/docs/6.14/classes/MongoDBCollectionNamespace.html new file mode 100644 index 00000000000..74286c06103 --- /dev/null +++ b/docs/6.14/classes/MongoDBCollectionNamespace.html @@ -0,0 +1,12 @@ +MongoDBCollectionNamespace | mongodb

Class MongoDBCollectionNamespace

A class representing a collection's namespace. This class enforces (through Typescript) that +the collection portion of the namespace is defined and should only be +used in scenarios where this can be guaranteed.

+

Hierarchy (view full)

Constructors

Properties

Methods

Constructors

Properties

collection: string

collection name

+
db: string

database name

+

Methods

diff --git a/docs/6.14/classes/MongoDBNamespace.html b/docs/6.14/classes/MongoDBNamespace.html new file mode 100644 index 00000000000..a3994384187 --- /dev/null +++ b/docs/6.14/classes/MongoDBNamespace.html @@ -0,0 +1,12 @@ +MongoDBNamespace | mongodb

Class MongoDBNamespace

Hierarchy (view full)

Constructors

Properties

Methods

Constructors

Properties

collection?: string

collection name

+
db: string

database name

+

Methods

diff --git a/docs/6.14/classes/MongoDecompressionError.html b/docs/6.14/classes/MongoDecompressionError.html new file mode 100644 index 00000000000..bbee4d80571 --- /dev/null +++ b/docs/6.14/classes/MongoDecompressionError.html @@ -0,0 +1,30 @@ +MongoDecompressionError | mongodb

Class MongoDecompressionError

An error generated when the driver fails to decompress +data received from the server.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoDriverError.html b/docs/6.14/classes/MongoDriverError.html new file mode 100644 index 00000000000..c22f5b5bc1f --- /dev/null +++ b/docs/6.14/classes/MongoDriverError.html @@ -0,0 +1,29 @@ +MongoDriverError | mongodb

Class MongoDriverError

An error generated by the driver

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoDriverError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoError.html b/docs/6.14/classes/MongoError.html new file mode 100644 index 00000000000..c3e4a9a2b1e --- /dev/null +++ b/docs/6.14/classes/MongoError.html @@ -0,0 +1,28 @@ +MongoError | mongodb

Class MongoError

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

Methods

  • Parameters

    • label: string

    Returns void

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoExpiredSessionError.html b/docs/6.14/classes/MongoExpiredSessionError.html new file mode 100644 index 00000000000..83eae3eca46 --- /dev/null +++ b/docs/6.14/classes/MongoExpiredSessionError.html @@ -0,0 +1,30 @@ +MongoExpiredSessionError | mongodb

Class MongoExpiredSessionError

An error generated when the user attempts to operate +on a session that has expired or has been closed.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string = 'Cannot use a session that has ended'

    Returns MongoExpiredSessionError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoGCPError.html b/docs/6.14/classes/MongoGCPError.html new file mode 100644 index 00000000000..94c16b61823 --- /dev/null +++ b/docs/6.14/classes/MongoGCPError.html @@ -0,0 +1,30 @@ +MongoGCPError | mongodb

Class MongoGCPError

A error generated when the user attempts to authenticate +via GCP, but fails.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string

    Returns MongoGCPError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoGridFSChunkError.html b/docs/6.14/classes/MongoGridFSChunkError.html new file mode 100644 index 00000000000..afdb04e3204 --- /dev/null +++ b/docs/6.14/classes/MongoGridFSChunkError.html @@ -0,0 +1,30 @@ +MongoGridFSChunkError | mongodb

Class MongoGridFSChunkError

An error generated when a malformed or invalid chunk is +encountered when reading from a GridFSStream.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoGridFSStreamError.html b/docs/6.14/classes/MongoGridFSStreamError.html new file mode 100644 index 00000000000..93943e47779 --- /dev/null +++ b/docs/6.14/classes/MongoGridFSStreamError.html @@ -0,0 +1,29 @@ +MongoGridFSStreamError | mongodb

Class MongoGridFSStreamError

An error generated when a GridFSStream operation fails to execute.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoInvalidArgumentError.html b/docs/6.14/classes/MongoInvalidArgumentError.html new file mode 100644 index 00000000000..44fd3d37191 --- /dev/null +++ b/docs/6.14/classes/MongoInvalidArgumentError.html @@ -0,0 +1,30 @@ +MongoInvalidArgumentError | mongodb

Class MongoInvalidArgumentError

An error generated when the user supplies malformed or unexpected arguments +or when a required argument or field is not provided.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoInvalidArgumentError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoKerberosError.html b/docs/6.14/classes/MongoKerberosError.html new file mode 100644 index 00000000000..0ee5d567689 --- /dev/null +++ b/docs/6.14/classes/MongoKerberosError.html @@ -0,0 +1,30 @@ +MongoKerberosError | mongodb

Class MongoKerberosError

A error generated when the user attempts to authenticate +via Kerberos, but fails to connect to the Kerberos client.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string

    Returns MongoKerberosError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoMissingCredentialsError.html b/docs/6.14/classes/MongoMissingCredentialsError.html new file mode 100644 index 00000000000..0304bef0571 --- /dev/null +++ b/docs/6.14/classes/MongoMissingCredentialsError.html @@ -0,0 +1,30 @@ +MongoMissingCredentialsError | mongodb

Class MongoMissingCredentialsError

An error generated when the user fails to provide authentication credentials before attempting +to connect to a mongo server instance.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoMissingDependencyError.html b/docs/6.14/classes/MongoMissingDependencyError.html new file mode 100644 index 00000000000..1f497e0f16b --- /dev/null +++ b/docs/6.14/classes/MongoMissingDependencyError.html @@ -0,0 +1,31 @@ +MongoMissingDependencyError | mongodb

Class MongoMissingDependencyError

An error generated when a required module or dependency is not present in the local environment

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • options: {
          cause: Error;
          dependencyName: string;
      }
      • cause: Error
      • dependencyName: string

    Returns MongoMissingDependencyError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause: Error

This property is assigned in the Error constructor.

+
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
dependencyName: string
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoNetworkError.html b/docs/6.14/classes/MongoNetworkError.html new file mode 100644 index 00000000000..1999442ac02 --- /dev/null +++ b/docs/6.14/classes/MongoNetworkError.html @@ -0,0 +1,29 @@ +MongoNetworkError | mongodb

Class MongoNetworkError

An error indicating an issue with the network, including TCP errors and timeouts.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoNetworkTimeoutError.html b/docs/6.14/classes/MongoNetworkTimeoutError.html new file mode 100644 index 00000000000..e49b6098f70 --- /dev/null +++ b/docs/6.14/classes/MongoNetworkTimeoutError.html @@ -0,0 +1,29 @@ +MongoNetworkTimeoutError | mongodb

Class MongoNetworkTimeoutError

An error indicating a network timeout occurred

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoNotConnectedError.html b/docs/6.14/classes/MongoNotConnectedError.html new file mode 100644 index 00000000000..ed220a5e595 --- /dev/null +++ b/docs/6.14/classes/MongoNotConnectedError.html @@ -0,0 +1,30 @@ +MongoNotConnectedError | mongodb

Class MongoNotConnectedError

An error thrown when the user attempts to operate on a database or collection through a MongoClient +that has not yet successfully called the "connect" method

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoOIDCError.html b/docs/6.14/classes/MongoOIDCError.html new file mode 100644 index 00000000000..9a1cda5c575 --- /dev/null +++ b/docs/6.14/classes/MongoOIDCError.html @@ -0,0 +1,30 @@ +MongoOIDCError | mongodb

Class MongoOIDCError

A error generated when the user attempts to authenticate +via OIDC callbacks, but fails.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string

    Returns MongoOIDCError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoOperationTimeoutError.html b/docs/6.14/classes/MongoOperationTimeoutError.html new file mode 100644 index 00000000000..082a3042851 --- /dev/null +++ b/docs/6.14/classes/MongoOperationTimeoutError.html @@ -0,0 +1,31 @@ +MongoOperationTimeoutError | mongodb

Class MongoOperationTimeoutError

try {
await blogs.insertOne(blogPost, { timeoutMS: 60_000 })
} catch (error) {
if (error instanceof MongoOperationTimeoutError) {
console.log(`Oh no! writer's block!`, error);
}
} +
+ +

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoOperationTimeoutError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoParseError.html b/docs/6.14/classes/MongoParseError.html new file mode 100644 index 00000000000..e2fcf8fef41 --- /dev/null +++ b/docs/6.14/classes/MongoParseError.html @@ -0,0 +1,29 @@ +MongoParseError | mongodb

Class MongoParseError

An error used when attempting to parse a value (like a connection string)

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string

    Returns MongoParseError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoRuntimeError.html b/docs/6.14/classes/MongoRuntimeError.html new file mode 100644 index 00000000000..28fad113a0a --- /dev/null +++ b/docs/6.14/classes/MongoRuntimeError.html @@ -0,0 +1,30 @@ +MongoRuntimeError | mongodb

Class MongoRuntimeError

An error generated when the driver encounters unexpected input +or reaches an unexpected/invalid internal state.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoRuntimeError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoServerClosedError.html b/docs/6.14/classes/MongoServerClosedError.html new file mode 100644 index 00000000000..1a1129fd9ce --- /dev/null +++ b/docs/6.14/classes/MongoServerClosedError.html @@ -0,0 +1,30 @@ +MongoServerClosedError | mongodb

Class MongoServerClosedError

An error generated when an attempt is made to operate +on a closed/closing server.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string = 'Server is closed'

    Returns MongoServerClosedError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoServerError.html b/docs/6.14/classes/MongoServerError.html new file mode 100644 index 00000000000..4874d25f022 --- /dev/null +++ b/docs/6.14/classes/MongoServerError.html @@ -0,0 +1,35 @@ +MongoServerError | mongodb

Class MongoServerError

An error coming from the mongo server

+

Hierarchy (view full)

Indexable

  • [key: string]: any

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
codeName?: string
connectionGeneration?: number
errInfo?: Document
errorResponse: ErrorDescription

Raw error result document returned by server.

+
message: string
ok?: number
stack?: string
topologyVersion?: TopologyVersion
writeConcernError?: Document
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoServerSelectionError.html b/docs/6.14/classes/MongoServerSelectionError.html new file mode 100644 index 00000000000..03b046d6279 --- /dev/null +++ b/docs/6.14/classes/MongoServerSelectionError.html @@ -0,0 +1,31 @@ +MongoServerSelectionError | mongodb

Class MongoServerSelectionError

An error signifying a client-side server selection error

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string

An optional reason context, such as an error saved during flow of monitoring and selecting servers

+
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoStalePrimaryError.html b/docs/6.14/classes/MongoStalePrimaryError.html new file mode 100644 index 00000000000..130232f1d40 --- /dev/null +++ b/docs/6.14/classes/MongoStalePrimaryError.html @@ -0,0 +1,29 @@ +MongoStalePrimaryError | mongodb

Class MongoStalePrimaryError

An error generated when a primary server is marked stale, never directly thrown

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoStalePrimaryError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoSystemError.html b/docs/6.14/classes/MongoSystemError.html new file mode 100644 index 00000000000..ad6515ce038 --- /dev/null +++ b/docs/6.14/classes/MongoSystemError.html @@ -0,0 +1,31 @@ +MongoSystemError | mongodb

Class MongoSystemError

An error signifying a general system issue

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string

An optional reason context, such as an error saved during flow of monitoring and selecting servers

+
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoTailableCursorError.html b/docs/6.14/classes/MongoTailableCursorError.html new file mode 100644 index 00000000000..96a691d2fca --- /dev/null +++ b/docs/6.14/classes/MongoTailableCursorError.html @@ -0,0 +1,29 @@ +MongoTailableCursorError | mongodb

Class MongoTailableCursorError

An error thrown when the user calls a function or method not supported on a tailable cursor

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string = 'Tailable cursor does not support this operation'

    Returns MongoTailableCursorError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoTopologyClosedError.html b/docs/6.14/classes/MongoTopologyClosedError.html new file mode 100644 index 00000000000..5535dba7974 --- /dev/null +++ b/docs/6.14/classes/MongoTopologyClosedError.html @@ -0,0 +1,30 @@ +MongoTopologyClosedError | mongodb

Class MongoTopologyClosedError

An error generated when an attempt is made to operate on a +dropped, or otherwise unavailable, database.

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string = 'Topology is closed'

    Returns MongoTopologyClosedError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoTransactionError.html b/docs/6.14/classes/MongoTransactionError.html new file mode 100644 index 00000000000..ef161237768 --- /dev/null +++ b/docs/6.14/classes/MongoTransactionError.html @@ -0,0 +1,30 @@ +MongoTransactionError | mongodb

Class MongoTransactionError

An error generated when the user makes a mistake in the usage of transactions. +(e.g. attempting to commit a transaction with a readPreference other than primary)

+

Hierarchy (view full)

Constructors

  • Do not use this constructor!

    +

    Meant for internal use only.

    +

    Parameters

    • message: string

    Returns MongoTransactionError

    This class is only meant to be constructed within the driver. This constructor is +not subject to semantic versioning compatibility guarantees and may change at any time.

    +

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoUnexpectedServerResponseError.html b/docs/6.14/classes/MongoUnexpectedServerResponseError.html new file mode 100644 index 00000000000..439055f008a --- /dev/null +++ b/docs/6.14/classes/MongoUnexpectedServerResponseError.html @@ -0,0 +1,37 @@ +MongoUnexpectedServerResponseError | mongodb

Class MongoUnexpectedServerResponseError

An error generated when a parsable unexpected response comes from the server. +This is generally an error where the driver in a state expecting a certain behavior to occur in +the next message from MongoDB but it receives something else. +This error does not represent an issue with wire message formatting.

+

When an operation fails, it is the driver's job to retry it. It must perform serverSelection +again to make sure that it attempts the operation against a server in a good state. If server +selection returns a server that does not support retryable operations, this error is used. +This scenario is unlikely as retryable support would also have been determined on the first attempt +but it is possible the state change could report a selectable server that does not support retries.

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
connectionGeneration?: number
message: string
stack?: string
topologyVersion?: TopologyVersion
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/MongoWriteConcernError.html b/docs/6.14/classes/MongoWriteConcernError.html new file mode 100644 index 00000000000..1589ae63686 --- /dev/null +++ b/docs/6.14/classes/MongoWriteConcernError.html @@ -0,0 +1,37 @@ +MongoWriteConcernError | mongodb

Class MongoWriteConcernError

An error thrown when the server reports a writeConcernError

+

Hierarchy (view full)

Constructors

Properties

cause?: Error
code?: string | number

This is a number in MongoServerError and a string in MongoDriverError

+
codeName?: string
connectionGeneration?: number
errInfo?: Document
errorResponse: ErrorDescription

Raw error result document returned by server.

+
message: string
ok?: number
result: Document

The result document

+
stack?: string
topologyVersion?: TopologyVersion
writeConcernError?: Document
prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

Optional override for formatting stack traces

+
stackTraceLimit: number

Accessors

  • get errmsg(): string
  • Legacy name for server error responses

    +

    Returns string

  • get errorLabels(): string[]
  • Returns string[]

  • get name(): string
  • Returns string

Methods

  • Checks the error to see if it has an error label

    +

    Parameters

    • label: string

      The error label to check for

      +

    Returns boolean

    returns true if the error has the provided error label

    +
  • Create .stack property on a target object

    +

    Parameters

    • targetObject: object
    • OptionalconstructorOpt: Function

    Returns void

diff --git a/docs/6.14/classes/OrderedBulkOperation.html b/docs/6.14/classes/OrderedBulkOperation.html new file mode 100644 index 00000000000..7deb6060760 --- /dev/null +++ b/docs/6.14/classes/OrderedBulkOperation.html @@ -0,0 +1,22 @@ +OrderedBulkOperation | mongodb

Class OrderedBulkOperation

Hierarchy (view full)

Properties

isOrdered: boolean
operationId?: number

Accessors

Methods

  • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. +Returns a builder object used to complete the definition of the operation.

    +

    Parameters

    Returns FindOperators

    const bulkOp = collection.initializeOrderedBulkOp();

    // Add an updateOne to the bulkOp
    bulkOp.find({ a: 1 }).updateOne({ $set: { b: 2 } });

    // Add an updateMany to the bulkOp
    bulkOp.find({ c: 3 }).update({ $set: { d: 4 } });

    // Add an upsert
    bulkOp.find({ e: 5 }).upsert().updateOne({ $set: { f: 6 } });

    // Add a deletion
    bulkOp.find({ g: 7 }).deleteOne();

    // Add a multi deletion
    bulkOp.find({ h: 8 }).delete();

    // Add a replaceOne
    bulkOp.find({ i: 9 }).replaceOne({writeConcern: { j: 10 }});

    // Update using a pipeline (requires Mongodb 4.2 or higher)
    bulk.find({ k: 11, y: { $exists: true }, z: { $exists: true } }).updateOne([
    { $set: { total: { $sum: [ '$y', '$z' ] } } }
    ]);

    // All of the ops will now be executed
    await bulkOp.execute(); +
    + +
diff --git a/docs/6.14/classes/ReadConcern.html b/docs/6.14/classes/ReadConcern.html new file mode 100644 index 00000000000..87a19ac3edb --- /dev/null +++ b/docs/6.14/classes/ReadConcern.html @@ -0,0 +1,15 @@ +ReadConcern | mongodb

Class ReadConcern

The MongoDB ReadConcern, which allows for control of the consistency and isolation properties +of the data read from replica sets and replica set shards.

+

Constructors

Properties

Accessors

Methods

Constructors

Properties

level: string

Accessors

Methods

diff --git a/docs/6.14/classes/ReadPreference.html b/docs/6.14/classes/ReadPreference.html new file mode 100644 index 00000000000..fe321d9c0ad --- /dev/null +++ b/docs/6.14/classes/ReadPreference.html @@ -0,0 +1,44 @@ +ReadPreference | mongodb

Class ReadPreference

The ReadPreference class is a class that represents a MongoDB ReadPreference and is +used to construct connections.

+

Constructors

Properties

hedge?: HedgeOptions
maxStalenessSeconds?: number
minWireVersion?: number
tags?: TagSet[]
nearest: ReadPreference = ...
NEAREST: "nearest" = ReadPreferenceMode.nearest
primary: ReadPreference = ...
PRIMARY: "primary" = ReadPreferenceMode.primary
PRIMARY_PREFERRED: "primaryPreferred" = ReadPreferenceMode.primaryPreferred
primaryPreferred: ReadPreference = ...
secondary: ReadPreference = ...
SECONDARY: "secondary" = ReadPreferenceMode.secondary
SECONDARY_PREFERRED: "secondaryPreferred" = ReadPreferenceMode.secondaryPreferred
secondaryPreferred: ReadPreference = ...

Accessors

Methods

  • Check if the two ReadPreferences are equivalent

    +

    Parameters

    • readPreference: ReadPreference

      The read preference with which to check equality

      +

    Returns boolean

  • Validate if a mode is legal

    +

    Parameters

    • Optionalmode: string

      The string representing the read preference mode.

      +

    Returns boolean

  • Validate if a mode is legal

    +

    Parameters

    • mode: string

      The string representing the read preference mode.

      +

    Returns boolean

diff --git a/docs/6.14/classes/RunCommandCursor.html b/docs/6.14/classes/RunCommandCursor.html new file mode 100644 index 00000000000..11bf8a3310a --- /dev/null +++ b/docs/6.14/classes/RunCommandCursor.html @@ -0,0 +1,516 @@ +RunCommandCursor | mongodb

Class RunCommandCursor

Hierarchy (view full)

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

+
command: Readonly<Record<string, any>>
getMoreOptions: {
    batchSize?: number;
    comment?: any;
    maxAwaitTimeMS?: number;
} = {}
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    It is non-zero for as long as the database has an open cursor.

    +

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    +

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. +This is performed if the cursor id is non zero.

    +

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Frees any client-side resources used by the cursor.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    +

    If the iterator returns false, iteration will stop.

    +

    Parameters

    • iterator: ((doc: any) => boolean | void)

      The iteration callback.

      +
        • (doc): boolean | void
        • Parameters

          • doc: any

          Returns boolean | void

    Returns Promise<void>

      +
    • Will be removed in a future release. Use for await...of instead.
    • +
    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns number

    v3.2.0

    +
  • Map all documents using the provided function +If there is a transform set on the cursor, that will be called first and the result passed to +this function's transform.

    +

    Type Parameters

    • T = any

    Parameters

    • transform: ((doc: any) => T)

      The mapping transformation method.

      +
        • (doc): T
        • Parameters

          • doc: any

          Returns T

    Returns AbstractCursor<T, AbstractCursorEvents>

    Note Cursors use null internally to indicate that there are no more documents in the cursor. Providing a mapping +function that maps values to null will result in the cursor closing itself before it has finished iterating +all documents. This will not result in a memory leak, just surprising behavior. For example:

    +
    const cursor = collection.find({});
    cursor.map(() => null);

    const documents = await cursor.toArray();
    // documents is always [], regardless of how many documents are in the collection. +
    + +

    Other falsey values are allowed:

    +
    const cursor = collection.find({});
    cursor.map(() => '');

    const documents = await cursor.toArray();
    // documents is now an array of empty strings +
    + +

    Note for Typescript Users: adding a transform changes the return type of the iteration of this cursor, +it does not return a new instance of a cursor. This means when calling map, +you should always assign the result to a new variable in order to get a correctly typed cursor variable. +Take note of the following example:

    +
    const cursor: FindCursor<Document> = coll.find();
    const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
    const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[] +
    + +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns AbstractCursorEvents[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends "close"

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will +remain in effect. Iterating this cursor will cause new queries to be sent to the server, even +if the resultant data has already been retrieved by this cursor.

    +

    Returns void

  • Controls the getMore.batchSize field

    +

    Parameters

    • batchSize: number

      the number documents to return in the nextBatch

      +

    Returns this

  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Controls the getMore.maxTimeMS field. Only valid when cursor is tailable await

    +

    Parameters

    • maxTimeMS: number

      the number of milliseconds to wait for new data

      +

    Returns this

  • Returns an array of documents. The caller is responsible for making sure that there +is enough memory to store the results. Note that the array only contains partial +results when this cursor had been previously accessed. In that case, +cursor.rewind() can be used to reset the cursor.

    +

    Returns Promise<any[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/ServerCapabilities.html b/docs/6.14/classes/ServerCapabilities.html new file mode 100644 index 00000000000..d7579ace5f5 --- /dev/null +++ b/docs/6.14/classes/ServerCapabilities.html @@ -0,0 +1,13 @@ +ServerCapabilities | mongodb

Class ServerCapabilities

Constructors

Properties

maxWireVersion: number
minWireVersion: number

Accessors

diff --git a/docs/6.14/classes/ServerClosedEvent.html b/docs/6.14/classes/ServerClosedEvent.html new file mode 100644 index 00000000000..416fe1e0929 --- /dev/null +++ b/docs/6.14/classes/ServerClosedEvent.html @@ -0,0 +1,6 @@ +ServerClosedEvent | mongodb

Class ServerClosedEvent

Emitted when server is closed.

+

Properties

Properties

address: string

The address (host/port pair) of the server

+
topologyId: number

A unique identifier for the topology

+
diff --git a/docs/6.14/classes/ServerDescription.html b/docs/6.14/classes/ServerDescription.html new file mode 100644 index 00000000000..95fd43f6a84 --- /dev/null +++ b/docs/6.14/classes/ServerDescription.html @@ -0,0 +1,46 @@ +ServerDescription | mongodb

Class ServerDescription

The client's view of a single server, based on the most recent hello outcome.

+

Internal type, not meant to be directly instantiated

+

Properties

$clusterTime?: ClusterTime
address: string
arbiters: string[]
electionId: null | ObjectId
error: null | MongoError
hosts: string[]
iscryptd: boolean

Indicates server is a mongocryptd instance.

+
lastUpdateTime: number
lastWriteDate: number
logicalSessionTimeoutMinutes: null | number
maxBsonObjectSize: null | number

The max bson object size.

+
maxMessageSizeBytes: null | number

The max message size in bytes for the server.

+
maxWireVersion: number
maxWriteBatchSize: null | number

The max number of writes in a bulk write command.

+
me: null | string
minRoundTripTime: number

The minimum measurement of the last 10 measurements of roundTripTime that have been collected

+
minWireVersion: number
passives: string[]
primary: null | string
roundTripTime: number
setName: null | string
setVersion: null | number
tags: TagSet
topologyVersion: null | TopologyVersion

Accessors

Methods

diff --git a/docs/6.14/classes/ServerDescriptionChangedEvent.html b/docs/6.14/classes/ServerDescriptionChangedEvent.html new file mode 100644 index 00000000000..7b2e24c1856 --- /dev/null +++ b/docs/6.14/classes/ServerDescriptionChangedEvent.html @@ -0,0 +1,11 @@ +ServerDescriptionChangedEvent | mongodb

Class ServerDescriptionChangedEvent

Emitted when server description changes, but does NOT include changes to the RTT.

+

Properties

address: string

The address (host/port pair) of the server

+
name: "serverDescriptionChanged" = SERVER_DESCRIPTION_CHANGED
newDescription: ServerDescription

The new server description

+
previousDescription: ServerDescription

The previous server description

+
topologyId: number

A unique identifier for the topology

+
diff --git a/docs/6.14/classes/ServerHeartbeatFailedEvent.html b/docs/6.14/classes/ServerHeartbeatFailedEvent.html new file mode 100644 index 00000000000..e27dae0865a --- /dev/null +++ b/docs/6.14/classes/ServerHeartbeatFailedEvent.html @@ -0,0 +1,10 @@ +ServerHeartbeatFailedEvent | mongodb

Class ServerHeartbeatFailedEvent

Emitted when the server monitor’s hello fails, either with an “ok: 0” or a socket exception.

+

Properties

awaited: boolean

Is true when using the streaming protocol

+
connectionId: string

The connection id for the command

+
duration: number

The execution time of the event in ms

+
failure: Error

The command failure

+
diff --git a/docs/6.14/classes/ServerHeartbeatStartedEvent.html b/docs/6.14/classes/ServerHeartbeatStartedEvent.html new file mode 100644 index 00000000000..f3241ddcb3a --- /dev/null +++ b/docs/6.14/classes/ServerHeartbeatStartedEvent.html @@ -0,0 +1,7 @@ +ServerHeartbeatStartedEvent | mongodb

Class ServerHeartbeatStartedEvent

Emitted when the server monitor’s hello command is started - immediately before +the hello command is serialized into raw BSON and written to the socket.

+

Properties

Properties

awaited: boolean

Is true when using the streaming protocol

+
connectionId: string

The connection id for the command

+
diff --git a/docs/6.14/classes/ServerHeartbeatSucceededEvent.html b/docs/6.14/classes/ServerHeartbeatSucceededEvent.html new file mode 100644 index 00000000000..478348ec070 --- /dev/null +++ b/docs/6.14/classes/ServerHeartbeatSucceededEvent.html @@ -0,0 +1,10 @@ +ServerHeartbeatSucceededEvent | mongodb

Class ServerHeartbeatSucceededEvent

Emitted when the server monitor’s hello succeeds.

+

Properties

awaited: boolean

Is true when using the streaming protocol

+
connectionId: string

The connection id for the command

+
duration: number

The execution time of the event in ms

+
reply: Document

The command reply

+
diff --git a/docs/6.14/classes/ServerOpeningEvent.html b/docs/6.14/classes/ServerOpeningEvent.html new file mode 100644 index 00000000000..2c5b7333b22 --- /dev/null +++ b/docs/6.14/classes/ServerOpeningEvent.html @@ -0,0 +1,6 @@ +ServerOpeningEvent | mongodb

Class ServerOpeningEvent

Emitted when server is initialized.

+

Properties

Properties

address: string

The address (host/port pair) of the server

+
topologyId: number

A unique identifier for the topology

+
diff --git a/docs/6.14/classes/ServerSession.html b/docs/6.14/classes/ServerSession.html new file mode 100644 index 00000000000..3000f12bb22 --- /dev/null +++ b/docs/6.14/classes/ServerSession.html @@ -0,0 +1,10 @@ +ServerSession | mongodb

Class ServerSession

Reflects the existence of a session on the server. Can be reused by the session pool. +WARNING: not meant to be instantiated directly. For internal use only.

+

Properties

Methods

Properties

isDirty: boolean
lastUse: number
txnNumber: number

Methods

  • Determines if the server session has timed out.

    +

    Parameters

    • sessionTimeoutMinutes: number

      The server's "logicalSessionTimeoutMinutes"

      +

    Returns boolean

diff --git a/docs/6.14/classes/StreamDescription.html b/docs/6.14/classes/StreamDescription.html new file mode 100644 index 00000000000..081a3f7b209 --- /dev/null +++ b/docs/6.14/classes/StreamDescription.html @@ -0,0 +1,19 @@ +StreamDescription | mongodb

Class StreamDescription

Constructors

Properties

__nodejs_mock_server__?: boolean
address: string
compressor?:
    | "none"
    | "snappy"
    | "zlib"
    | "zstd"
compressors: (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]
hello: null | Document = null
loadBalanced: boolean
logicalSessionTimeoutMinutes?: number
maxBsonObjectSize: number
maxMessageSizeBytes: number
maxWireVersion?: number
maxWriteBatchSize: number
minWireVersion?: number
serverConnectionId: null | bigint
zlibCompressionLevel?: number

Methods

diff --git a/docs/6.14/classes/TopologyClosedEvent.html b/docs/6.14/classes/TopologyClosedEvent.html new file mode 100644 index 00000000000..78e55d96580 --- /dev/null +++ b/docs/6.14/classes/TopologyClosedEvent.html @@ -0,0 +1,4 @@ +TopologyClosedEvent | mongodb

Class TopologyClosedEvent

Emitted when topology is closed.

+

Properties

Properties

topologyId: number

A unique identifier for the topology

+
diff --git a/docs/6.14/classes/TopologyDescription.html b/docs/6.14/classes/TopologyDescription.html new file mode 100644 index 00000000000..51129d4dde9 --- /dev/null +++ b/docs/6.14/classes/TopologyDescription.html @@ -0,0 +1,25 @@ +TopologyDescription | mongodb

Class TopologyDescription

Representation of a deployment of servers

+

Constructors

Properties

commonWireVersion: number
compatibilityError?: string
compatible: boolean
heartbeatFrequencyMS: number
localThresholdMS: number
logicalSessionTimeoutMinutes: null | number
maxElectionId: null | ObjectId
maxSetVersion: null | number
servers: Map<string, ServerDescription>
setName: null | string
stale: boolean

Accessors

Methods

diff --git a/docs/6.14/classes/TopologyDescriptionChangedEvent.html b/docs/6.14/classes/TopologyDescriptionChangedEvent.html new file mode 100644 index 00000000000..7468bb788a7 --- /dev/null +++ b/docs/6.14/classes/TopologyDescriptionChangedEvent.html @@ -0,0 +1,8 @@ +TopologyDescriptionChangedEvent | mongodb

Class TopologyDescriptionChangedEvent

Emitted when topology description changes.

+

Properties

newDescription: TopologyDescription

The new topology description

+
previousDescription: TopologyDescription

The old topology description

+
topologyId: number

A unique identifier for the topology

+
diff --git a/docs/6.14/classes/TopologyOpeningEvent.html b/docs/6.14/classes/TopologyOpeningEvent.html new file mode 100644 index 00000000000..884a21fed85 --- /dev/null +++ b/docs/6.14/classes/TopologyOpeningEvent.html @@ -0,0 +1,4 @@ +TopologyOpeningEvent | mongodb

Class TopologyOpeningEvent

Emitted when topology is initialized.

+

Properties

Properties

topologyId: number

A unique identifier for the topology

+
diff --git a/docs/6.14/classes/Transaction.html b/docs/6.14/classes/Transaction.html new file mode 100644 index 00000000000..55e6c5bec8a --- /dev/null +++ b/docs/6.14/classes/Transaction.html @@ -0,0 +1,10 @@ +Transaction | mongodb

Class Transaction

A class maintaining state related to a server transaction. Internal Only

+

Properties

Accessors

  • get isActive(): boolean
  • Returns boolean

    Whether this session is presently in a transaction

    +
diff --git a/docs/6.14/classes/TypedEventEmitter.html b/docs/6.14/classes/TypedEventEmitter.html new file mode 100644 index 00000000000..3262c15867c --- /dev/null +++ b/docs/6.14/classes/TypedEventEmitter.html @@ -0,0 +1,425 @@ +TypedEventEmitter | mongodb

Class TypedEventEmitter<Events>

Typescript type safe event emitter

+

Type Parameters

Hierarchy (view full)

Constructors

Properties

captureRejections: boolean

Value: boolean

+

Change the default captureRejections option on all new EventEmitter objects.

+

v13.4.0, v12.16.0

+
captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

+

See how to write a custom rejection handler.

+

v13.4.0, v12.16.0

+
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +event. This limit can be changed for individual EventEmitter instances +using the emitter.setMaxListeners(n) method. To change the default +for allEventEmitter instances, the events.defaultMaxListeners property +can be used. If this value is not a positive number, a RangeError is thrown.

+

Take caution when setting the events.defaultMaxListeners because the +change affects all EventEmitter instances, including those created before +the change is made. However, calling emitter.setMaxListeners(n) still has +precedence over events.defaultMaxListeners.

+

This is not a hard limit. The EventEmitter instance will allow +more listeners to be added but will output a trace warning to stderr indicating +that a "possible EventEmitter memory leak" has been detected. For any single +EventEmitter, the emitter.getMaxListeners() and emitter.setMaxListeners() methods can be used to +temporarily avoid this warning:

+
import { EventEmitter } from 'node:events';
const emitter = new EventEmitter();
emitter.setMaxListeners(emitter.getMaxListeners() + 1);
emitter.once('event', () => {
// do stuff
emitter.setMaxListeners(Math.max(emitter.getMaxListeners() - 1, 0));
}); +
+ +

The --trace-warnings command-line flag can be used to display the +stack trace for such warnings.

+

The emitted warning can be inspected with process.on('warning') and will +have the additional emitter, type, and count properties, referring to +the event emitter instance, the event's name and the number of attached +listeners, respectively. +Its name property is set to 'MaxListenersExceededWarning'.

+

v0.11.2

+
errorMonitor: typeof errorMonitor

This symbol shall be used to install a listener for only monitoring 'error' events. Listeners installed using this symbol are called before the regular 'error' listeners are called.

+

Installing a listener using this symbol does not change the behavior once an 'error' event is emitted. Therefore, the process will still crash if no +regular 'error' listener is installed.

+

v13.6.0, v12.17.0

+

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Alias for emitter.on(eventName, listener).

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Alias for emitter.on(eventName, listener).

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +to each.

    +

    Returns true if the event had listeners, false otherwise.

    +
    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns boolean

    v0.1.26

    +
  • Returns an array listing the events for which the emitter has registered +listeners. The values in the array are strings or Symbols.

    +
    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ] +
    + +

    Returns string[]

    v6.0.0

    +
  • Returns the current max listener value for the EventEmitter which is either +set by emitter.setMaxListeners(n) or defaults to EventEmitter.defaultMaxListeners.

    +

    Returns number

    v1.0.0

    +
  • Returns the number of listeners listening for the event named eventName. +If listener is provided, it will return how many times the listener is found +in the list of the listeners of the event.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns number

    v3.2.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    });
    console.log(util.inspect(server.listeners('connection')));
    // Prints: [ [Function] ] +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns Events[EventKey][]

    v0.1.26

    +
  • Alias for emitter.removeListener().

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v10.0.0

    +
  • Alias for emitter.removeListener().

    +

    Parameters

    Returns this

    v10.0.0

    +
  • Alias for emitter.removeListener().

    +

    Parameters

    Returns this

    v10.0.0

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.1.101

    +
  • Adds the listener function to the end of the listeners array for the event +named eventName. No checks are made to see if the listener has already +been added. Multiple calls passing the same combination of eventName and +listener will result in the listener being added, and called, multiple times.

    +
    server.on('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.on('foo', () => console.log('a'));
    myEE.prependListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.1.101

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v0.3.0

    +
  • Adds a one-time listener function for the event named eventName. The +next time eventName is triggered, this listener is removed and then invoked.

    +
    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    By default, event listeners are invoked in the order they are added. The emitter.prependOnceListener() method can be used as an alternative to add the +event listener to the beginning of the listeners array.

    +
    import { EventEmitter } from 'node:events';
    const myEE = new EventEmitter();
    myEE.once('foo', () => console.log('a'));
    myEE.prependOnceListener('foo', () => console.log('b'));
    myEE.emit('foo');
    // Prints:
    // b
    // a +
    + +

    Parameters

    Returns this

    v0.3.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds the listener function to the beginning of the listeners array for the +event named eventName. No checks are made to see if the listener has +already been added. Multiple calls passing the same combination of eventName +and listener will result in the listener being added, and called, multiple times.

    +
    server.prependListener('connection', (stream) => {
    console.log('someone connected!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • event: CommonEvents
    • listener: ((eventName: string | symbol, listener: GenericListener) => void)

      The callback function

      +
        • (eventName, listener): void
        • Parameters

          Returns void

    Returns this

    v6.0.0

    +
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +listener is removed, and then invoked.

    +
    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    }); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v6.0.0

    +
  • Returns a copy of the array of listeners for the event named eventName, +including any wrappers (such as those created by .once()).

    +
    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log'); +
    + +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns Events[EventKey][]

    v9.4.0

    +
  • Removes all listeners, or those of the specified eventName.

    +

    It is bad practice to remove listeners added elsewhere in the code, +particularly when the EventEmitter instance was created by some other +component or module (e.g. sockets or file streams).

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • Removes the specified listener from the listener array for the event named eventName.

    +
    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback); +
    + +

    removeListener() will remove, at most, one instance of a listener from the +listener array. If any single listener has been added multiple times to the +listener array for the specified eventName, then removeListener() must be +called multiple times to remove each instance.

    +

    Once an event is emitted, all listeners attached to it at the +time of emitting are called in order. This implies that any removeListener() or removeAllListeners() calls after emitting and before the last listener finishes execution +will not remove them fromemit() in progress. Subsequent events behave as expected.

    +
    import { EventEmitter } from 'node:events';
    class MyEmitter extends EventEmitter {}
    const myEmitter = new MyEmitter();

    const callbackA = () => {
    console.log('A');
    myEmitter.removeListener('event', callbackB);
    };

    const callbackB = () => {
    console.log('B');
    };

    myEmitter.on('event', callbackA);

    myEmitter.on('event', callbackB);

    // callbackA removes listener callbackB but it will still be called.
    // Internal listener array at time of emit [callbackA, callbackB]
    myEmitter.emit('event');
    // Prints:
    // A
    // B

    // callbackB is now removed.
    // Internal listener array [callbackA]
    myEmitter.emit('event');
    // Prints:
    // A +
    + +

    Because listeners are managed using an internal array, calling this will +change the position indices of any listener registered after the listener +being removed. This will not impact the order in which listeners are called, +but it means that any copies of the listener array as returned by +the emitter.listeners() method will need to be recreated.

    +

    When a single function has been added as a handler multiple times for a single +event (as in the example below), removeListener() will remove the most +recently added instance. In the example the once('ping') listener is removed:

    +
    import { EventEmitter } from 'node:events';
    const ee = new EventEmitter();

    function pong() {
    console.log('pong');
    }

    ee.on('ping', pong);
    ee.once('ping', pong);
    ee.removeListener('ping', pong);

    ee.emit('ping');
    ee.emit('ping'); +
    + +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    Returns this

    v0.1.26

    +
  • By default EventEmitters will print a warning if more than 10 listeners are +added for a particular event. This is a useful default that helps finding +memory leaks. The emitter.setMaxListeners() method allows the limit to be +modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    +

    Returns a reference to the EventEmitter, so that calls can be chained.

    +

    Parameters

    • n: number

    Returns this

    v0.3.5

    +
  • Experimental

    Listens once to the abort event on the provided signal.

    +

    Listening to the abort event on abort signals is unsafe and may +lead to resource leaks since another third party with the signal can +call e.stopImmediatePropagation(). Unfortunately Node.js cannot change +this since it would violate the web standard. Additionally, the original +API makes it easy to forget to remove listeners.

    +

    This API allows safely using AbortSignals in Node.js APIs by solving these +two issues by listening to the event such that stopImmediatePropagation does +not prevent the listener from running.

    +

    Returns a disposable so that it may be unsubscribed from more easily.

    +
    import { addAbortListener } from 'node:events';

    function example(signal) {
    let disposable;
    try {
    signal.addEventListener('abort', (e) => e.stopImmediatePropagation());
    disposable = addAbortListener(signal, (e) => {
    // Do something when signal is aborted.
    });
    } finally {
    disposable?.[Symbol.dispose]();
    }
    } +
    + +

    Parameters

    • signal: AbortSignal
    • resource: ((event: Event) => void)
        • (event): void
        • Parameters

          • event: Event

          Returns void

    Returns Disposable

    Disposable that removes the abort listener.

    +

    v20.5.0

    +
  • Returns a copy of the array of listeners for the event named eventName.

    +

    For EventEmitters this behaves exactly the same as calling .listeners on +the emitter.

    +

    For EventTargets this is the only way to get the event listeners for the +event target. This is useful for debugging and diagnostic purposes.

    +
    import { getEventListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    const listener = () => console.log('Events are fun');
    ee.on('foo', listener);
    console.log(getEventListeners(ee, 'foo')); // [ [Function: listener] ]
    }
    {
    const et = new EventTarget();
    const listener = () => console.log('Events are fun');
    et.addEventListener('foo', listener);
    console.log(getEventListeners(et, 'foo')); // [ [Function: listener] ]
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget
    • name: string | symbol

    Returns Function[]

    v15.2.0, v14.17.0

    +
  • Returns the currently set max amount of listeners.

    +

    For EventEmitters this behaves exactly the same as calling .getMaxListeners on +the emitter.

    +

    For EventTargets this is the only way to get the max event listeners for the +event target. If the number of event handlers on a single EventTarget exceeds +the max set, the EventTarget will print a warning.

    +
    import { getMaxListeners, setMaxListeners, EventEmitter } from 'node:events';

    {
    const ee = new EventEmitter();
    console.log(getMaxListeners(ee)); // 10
    setMaxListeners(11, ee);
    console.log(getMaxListeners(ee)); // 11
    }
    {
    const et = new EventTarget();
    console.log(getMaxListeners(et)); // 10
    setMaxListeners(11, et);
    console.log(getMaxListeners(et)); // 11
    } +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap> | EventTarget

    Returns number

    v19.9.0

    +
  • A class method that returns the number of listeners for the given eventName registered on the given emitter.

    +
    import { EventEmitter, listenerCount } from 'node:events';

    const myEmitter = new EventEmitter();
    myEmitter.on('event', () => {});
    myEmitter.on('event', () => {});
    console.log(listenerCount(myEmitter, 'event'));
    // Prints: 2 +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>

      The emitter to query

      +
    • eventName: string | symbol

      The event name

      +

    Returns number

    v0.9.12

    +

    Since v3.2.0 - Use listenerCount instead.

    +
  • import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo')) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here +
    + +

    Returns an AsyncIterator that iterates eventName events. It will throw +if the EventEmitter emits 'error'. It removes all listeners when +exiting the loop. The value returned by each iteration is an array +composed of the emitted event arguments.

    +

    An AbortSignal can be used to cancel waiting on events:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ac = new AbortController();

    (async () => {
    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    });

    for await (const event of on(ee, 'foo', { signal: ac.signal })) {
    // The execution of this inner block is synchronous and it
    // processes one event at a time (even with await). Do not use
    // if concurrent execution is required.
    console.log(event); // prints ['bar'] [42]
    }
    // Unreachable here
    })();

    process.nextTick(() => ac.abort()); +
    + +

    Use the close option to specify an array of event names that will end the iteration:

    +
    import { on, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    // Emit later on
    process.nextTick(() => {
    ee.emit('foo', 'bar');
    ee.emit('foo', 42);
    ee.emit('close');
    });

    for await (const event of on(ee, 'foo', { close: ['close'] })) {
    console.log(event); // prints ['bar'] [42]
    }
    // the loop will exit after 'close' is emitted
    console.log('done'); // prints 'done' +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

    An AsyncIterator that iterates eventName events emitted by the emitter

    +

    v13.6.0, v12.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterIteratorOptions

    Returns AsyncIterator<any[], any, any>

  • Creates a Promise that is fulfilled when the EventEmitter emits the given +event or that is rejected if the EventEmitter emits 'error' while waiting. +The Promise will resolve with an array of all the arguments emitted to the +given event.

    +

    This method is intentionally generic and works with the web platform EventTarget interface, which has no special'error' event +semantics and does not listen to the 'error' event.

    +
    import { once, EventEmitter } from 'node:events';
    import process from 'node:process';

    const ee = new EventEmitter();

    process.nextTick(() => {
    ee.emit('myevent', 42);
    });

    const [value] = await once(ee, 'myevent');
    console.log(value);

    const err = new Error('kaboom');
    process.nextTick(() => {
    ee.emit('error', err);
    });

    try {
    await once(ee, 'myevent');
    } catch (err) {
    console.error('error happened', err);
    } +
    + +

    The special handling of the 'error' event is only used when events.once() is used to wait for another event. If events.once() is used to wait for the +'error' event itself, then it is treated as any other kind of event without +special handling:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();

    once(ee, 'error')
    .then(([err]) => console.log('ok', err.message))
    .catch((err) => console.error('error', err.message));

    ee.emit('error', new Error('boom'));

    // Prints: ok boom +
    + +

    An AbortSignal can be used to cancel waiting for the event:

    +
    import { EventEmitter, once } from 'node:events';

    const ee = new EventEmitter();
    const ac = new AbortController();

    async function foo(emitter, event, signal) {
    try {
    await once(emitter, event, { signal });
    console.log('event emitted!');
    } catch (error) {
    if (error.name === 'AbortError') {
    console.error('Waiting for the event was canceled!');
    } else {
    console.error('There was an error', error.message);
    }
    }
    }

    foo(ee, 'foo', ac.signal);
    ac.abort(); // Abort waiting for the event
    ee.emit('foo'); // Prints: Waiting for the event was canceled! +
    + +

    Parameters

    • emitter: EventEmitter<DefaultEventMap>
    • eventName: string | symbol
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

    v11.13.0, v10.16.0

    +
  • Parameters

    • emitter: EventTarget
    • eventName: string
    • Optionaloptions: StaticEventEmitterOptions

    Returns Promise<any[]>

  • import { setMaxListeners, EventEmitter } from 'node:events';

    const target = new EventTarget();
    const emitter = new EventEmitter();

    setMaxListeners(5, target, emitter); +
    + +

    Parameters

    • Optionaln: number

      A non-negative number. The maximum number of listeners per EventTarget event.

      +
    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} +objects.

      +

    Returns void

    v15.4.0

    +
diff --git a/docs/6.14/classes/UnorderedBulkOperation.html b/docs/6.14/classes/UnorderedBulkOperation.html new file mode 100644 index 00000000000..7d6e88fb4ee --- /dev/null +++ b/docs/6.14/classes/UnorderedBulkOperation.html @@ -0,0 +1,22 @@ +UnorderedBulkOperation | mongodb

Class UnorderedBulkOperation

Hierarchy (view full)

Properties

isOrdered: boolean
operationId?: number

Accessors

Methods

  • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. +Returns a builder object used to complete the definition of the operation.

    +

    Parameters

    Returns FindOperators

    const bulkOp = collection.initializeOrderedBulkOp();

    // Add an updateOne to the bulkOp
    bulkOp.find({ a: 1 }).updateOne({ $set: { b: 2 } });

    // Add an updateMany to the bulkOp
    bulkOp.find({ c: 3 }).update({ $set: { d: 4 } });

    // Add an upsert
    bulkOp.find({ e: 5 }).upsert().updateOne({ $set: { f: 6 } });

    // Add a deletion
    bulkOp.find({ g: 7 }).deleteOne();

    // Add a multi deletion
    bulkOp.find({ h: 8 }).delete();

    // Add a replaceOne
    bulkOp.find({ i: 9 }).replaceOne({writeConcern: { j: 10 }});

    // Update using a pipeline (requires Mongodb 4.2 or higher)
    bulk.find({ k: 11, y: { $exists: true }, z: { $exists: true } }).updateOne([
    { $set: { total: { $sum: [ '$y', '$z' ] } } }
    ]);

    // All of the ops will now be executed
    await bulkOp.execute(); +
    + +
diff --git a/docs/6.14/classes/WriteConcern.html b/docs/6.14/classes/WriteConcern.html new file mode 100644 index 00000000000..252d51f4895 --- /dev/null +++ b/docs/6.14/classes/WriteConcern.html @@ -0,0 +1,30 @@ +WriteConcern | mongodb

Class WriteConcern

A MongoDB WriteConcern, which describes the level of acknowledgement +requested from MongoDB for write operations.

+

Constructors

Properties

Methods

Constructors

  • Constructs a WriteConcern from the write concern properties.

    +

    Parameters

    • Optionalw: W

      request acknowledgment that the write operation has propagated to a specified number of mongod instances or to mongod instances with specified tags.

      +
    • OptionalwtimeoutMS: number

      specify a time limit to prevent write operations from blocking indefinitely

      +
    • Optionaljournal: boolean

      request acknowledgment that the write operation has been written to the on-disk journal

      +
    • Optionalfsync: boolean | 1

      equivalent to the j option. Is deprecated and will be removed in the next major version.

      +

    Returns WriteConcern

Properties

fsync?: boolean | 1

Equivalent to the j option.

+

Will be removed in the next major version. Please use journal.

+
j?: boolean

Request acknowledgment that the write operation has been written to the on-disk journal.

+

Will be removed in the next major version. Please use journal.

+
journal?: boolean

Request acknowledgment that the write operation has been written to the on-disk journal

+
w?: W

Request acknowledgment that the write operation has propagated to a specified number of mongod instances or to mongod instances with specified tags. +If w is 0 and is set on a write operation, the server will not send a response.

+
wtimeout?: number

Specify a time limit to prevent write operations from blocking indefinitely.

+

Will be removed in the next major version. Please use wtimeoutMS.

+
wtimeoutMS?: number

Specify a time limit to prevent write operations from blocking indefinitely.

+

Methods

diff --git a/docs/6.14/classes/WriteConcernError.html b/docs/6.14/classes/WriteConcernError.html new file mode 100644 index 00000000000..1a7f34323cd --- /dev/null +++ b/docs/6.14/classes/WriteConcernError.html @@ -0,0 +1,11 @@ +WriteConcernError | mongodb

Class WriteConcernError

An error representing a failure by the server to apply the requested write concern to the bulk operation.

+

Constructors

Accessors

Methods

Constructors

Accessors

  • get code(): undefined | number
  • Write concern error code.

    +

    Returns undefined | number

  • get errmsg(): undefined | string
  • Write concern error message.

    +

    Returns undefined | string

Methods

diff --git a/docs/6.14/classes/WriteError.html b/docs/6.14/classes/WriteError.html new file mode 100644 index 00000000000..b43c8a0fc78 --- /dev/null +++ b/docs/6.14/classes/WriteError.html @@ -0,0 +1,16 @@ +WriteError | mongodb

Class WriteError

An error that occurred during a BulkWrite on the server.

+

Constructors

Properties

err +

Accessors

Methods

Constructors

Properties

Accessors

  • get errmsg(): undefined | string
  • WriteError message.

    +

    Returns undefined | string

Methods

  • Returns {
        code: number;
        errmsg?: string;
        index: number;
        op: Document;
    }

    • code: number
    • Optionalerrmsg?: string
    • index: number
    • op: Document
diff --git a/docs/6.14/functions/BSON.calculateObjectSize.html b/docs/6.14/functions/BSON.calculateObjectSize.html new file mode 100644 index 00000000000..54c82d9b867 --- /dev/null +++ b/docs/6.14/functions/BSON.calculateObjectSize.html @@ -0,0 +1,4 @@ +calculateObjectSize | mongodb

Function calculateObjectSize

  • Calculate the bson size for a passed in Javascript object.

    +

    Parameters

    Returns number

    size of BSON object in bytes

    +
diff --git a/docs/6.14/functions/BSON.deserialize.html b/docs/6.14/functions/BSON.deserialize.html new file mode 100644 index 00000000000..d5af3037f64 --- /dev/null +++ b/docs/6.14/functions/BSON.deserialize.html @@ -0,0 +1,4 @@ +deserialize | mongodb

Function deserialize

  • Deserialize data as BSON.

    +

    Parameters

    • buffer: Uint8Array

      the buffer containing the serialized set of BSON documents.

      +
    • Optionaloptions: DeserializeOptions

    Returns Document

    returns the deserialized Javascript Object.

    +
diff --git a/docs/6.14/functions/BSON.deserializeStream.html b/docs/6.14/functions/BSON.deserializeStream.html new file mode 100644 index 00000000000..678b8409809 --- /dev/null +++ b/docs/6.14/functions/BSON.deserializeStream.html @@ -0,0 +1,9 @@ +deserializeStream | mongodb

Function deserializeStream

  • Deserialize stream data as BSON documents.

    +

    Parameters

    • data: Uint8Array | ArrayBuffer

      the buffer containing the serialized set of BSON documents.

      +
    • startIndex: number

      the start index in the data Buffer where the deserialization is to start.

      +
    • numberOfDocuments: number

      number of documents to deserialize.

      +
    • documents: Document[]

      an array where to store the deserialized documents.

      +
    • docStartIndex: number

      the index in the documents array from where to start inserting documents.

      +
    • options: DeserializeOptions

      additional options used for the deserialization.

      +

    Returns number

    next index in the buffer after deserialization x numbers of documents.

    +
diff --git a/docs/6.14/functions/BSON.serialize.html b/docs/6.14/functions/BSON.serialize.html new file mode 100644 index 00000000000..05197e8aad1 --- /dev/null +++ b/docs/6.14/functions/BSON.serialize.html @@ -0,0 +1,4 @@ +serialize | mongodb

Function serialize

  • Serialize a Javascript object.

    +

    Parameters

    Returns Uint8Array

    Buffer object containing the serialized object.

    +
diff --git a/docs/6.14/functions/BSON.serializeWithBufferAndIndex.html b/docs/6.14/functions/BSON.serializeWithBufferAndIndex.html new file mode 100644 index 00000000000..81def7b55ad --- /dev/null +++ b/docs/6.14/functions/BSON.serializeWithBufferAndIndex.html @@ -0,0 +1,6 @@ +serializeWithBufferAndIndex | mongodb

Function serializeWithBufferAndIndex

  • Serialize a Javascript object using a predefined Buffer and index into the buffer, +useful when pre-allocating the space for serialization.

    +

    Parameters

    • object: Document

      the Javascript object to serialize.

      +
    • finalBuffer: Uint8Array

      the Buffer you pre-allocated to store the serialized BSON object.

      +
    • Optionaloptions: SerializeOptions

    Returns number

    the index pointing to the last written byte in the buffer.

    +
diff --git a/docs/6.14/functions/BSON.setInternalBufferSize.html b/docs/6.14/functions/BSON.setInternalBufferSize.html new file mode 100644 index 00000000000..417e5f24662 --- /dev/null +++ b/docs/6.14/functions/BSON.setInternalBufferSize.html @@ -0,0 +1,3 @@ +setInternalBufferSize | mongodb

Function setInternalBufferSize

  • Sets the size of the internal serialization buffer.

    +

    Parameters

    • size: number

      The desired size for the internal serialization buffer in bytes

      +

    Returns void

diff --git a/docs/6.14/functions/configureExplicitResourceManagement.html b/docs/6.14/functions/configureExplicitResourceManagement.html new file mode 100644 index 00000000000..3d7fecfdd35 --- /dev/null +++ b/docs/6.14/functions/configureExplicitResourceManagement.html @@ -0,0 +1,11 @@ +configureExplicitResourceManagement | mongodb

Function configureExplicitResourceManagement

  • Beta Experimental

    Attaches Symbol.asyncDispose methods to the MongoClient, Cursors, sessions and change streams +if Symbol.asyncDispose is defined.

    +

    It's usually not necessary to call this method - the driver attempts to attach these methods +itself when its loaded. However, sometimes the driver may be loaded before Symbol.asyncDispose +is defined, in which case it is necessary to call this method directly. This can happen if the +application is polyfilling Symbol.asyncDispose.

    +

    Example:

    +
    import { configureExplicitResourceManagement, MongoClient } from 'mongodb/lib/beta';

    Symbol.asyncDispose ??= Symbol('dispose');
    load();

    await using client = new MongoClient(...); +
    + +

    Returns void

diff --git a/docs/6.14/hierarchy.html b/docs/6.14/hierarchy.html new file mode 100644 index 00000000000..1ed0cb670d9 --- /dev/null +++ b/docs/6.14/hierarchy.html @@ -0,0 +1 @@ +mongodb

mongodb

Class Hierarchy

diff --git a/docs/6.14/index.html b/docs/6.14/index.html new file mode 100644 index 00000000000..07c8dcda7a4 --- /dev/null +++ b/docs/6.14/index.html @@ -0,0 +1,290 @@ +mongodb

mongodb

MongoDB Node.js Driver

The official MongoDB driver for Node.js.

+

Upgrading to version 6? Take a look at our upgrade guide here!

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
SiteLink
Documentationwww.mongodb.com/docs/drivers/node
API Docsmongodb.github.io/node-mongodb-native
npm packagewww.npmjs.com/package/mongodb
MongoDBwww.mongodb.com
MongoDB Universitylearn.mongodb.com
MongoDB Developer Centerwww.mongodb.com/developer
Stack Overflowstackoverflow.com
Source Codegithub.com/mongodb/node-mongodb-native
Upgrade to v6etc/notes/CHANGES_6.0.0.md
ContributingCONTRIBUTING.md
ChangelogHISTORY.md
+

Releases are created automatically and signed using the Node team's GPG key. This applies to the git tag as well as all release packages provided as part of a GitHub release. To verify the provided packages, download the key and import it using gpg:

+
gpg --import node-driver.asc
+
+ +

The GitHub release contains a detached signature file for the NPM package (named +mongodb-X.Y.Z.tgz.sig).

+

The following command returns the link npm package.

+
npm view mongodb@vX.Y.Z dist.tarball
+
+ +

Using the result of the above command, a curl command can return the official npm package for the release.

+

To verify the integrity of the downloaded package, run the following command:

+
gpg --verify mongodb-X.Y.Z.tgz.sig mongodb-X.Y.Z.tgz
+
+ +
+

[!Note] +No verification is done when using npm to install the package. The contents of the Github tarball and npm's tarball are identical.

+
+

Think you’ve found a bug? Want to see a new feature in node-mongodb-native? Please open a +case in our issue management tool, JIRA:

+
    +
  • Create an account and login jira.mongodb.org.
  • +
  • Navigate to the NODE project jira.mongodb.org/browse/NODE.
  • +
  • Click Create Issue - Please provide as much information as possible about the issue type and how to reproduce it.
  • +
+

Bug reports in JIRA for all driver projects (i.e. NODE, PYTHON, CSHARP, JAVA) and the +Core Server (i.e. SERVER) project are public.

+

For issues with, questions about, or feedback for the Node.js driver, please look into our support channels. Please do not email any of the driver developers directly with issues or questions - you're more likely to get an answer on the MongoDB Community Forums.

+

Change history can be found in HISTORY.md.

+

The driver currently supports 3.6+ servers.

+

** 3.6 support is deprecated and support will be removed in a future version **

+

For exhaustive server and runtime version compatibility matrices, please refer to the following links:

+ +

The following table describes add-on component version compatibility for the Node.js driver. Only packages with versions in these supported ranges are stable when used in combination.

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
Componentmongodb@3.xmongodb@4.xmongodb@5.xmongodb@<6.12mongodb@>=6.12
bson^1.0.0^4.0.0^5.0.0^6.0.0^6.0.0
bson-ext^1.0.0 || ^2.0.0^4.0.0N/AN/AN/A
kerberos^1.0.0^1.0.0 || ^2.0.0^1.0.0 || ^2.0.0^2.0.1^2.0.1
mongodb-client-encryption^1.0.0^1.0.0 || ^2.0.0^2.3.0^6.0.0^6.0.0
mongodb-legacyN/A^4.0.0^5.0.0^6.0.0^6.0.0
@mongodb-js/zstdN/A^1.0.0^1.0.0^1.1.0^1.1.0 || ^2.0.0
+

We recommend using the latest version of typescript, however we currently ensure the driver's public types compile against typescript@4.4.0. +This is the lowest typescript version guaranteed to work with our driver: older versions may or may not work - use at your own risk. +Since typescript does not restrict breaking changes to major versions, we consider this support best effort. +If you run into any unexpected compiler failures against our supported TypeScript versions, please let us know by filing an issue on our JIRA.

+

Additionally, our Typescript types are compatible with the ECMAScript standard for our minimum supported Node version. Currently, our Typescript targets es2021.

+

The recommended way to get started using the Node.js 5.x driver is by using the npm (Node Package Manager) to install the dependency in your project.

+

After you've created your own project using npm init, you can run:

+
npm install mongodb
# or ...
yarn add mongodb +
+ +

This will download the MongoDB driver and add a dependency entry in your package.json file.

+

If you are a Typescript user, you will need the Node.js type definitions to use the driver's definitions:

+
npm install -D @types/node
+
+ +

The MongoDB driver can optionally be enhanced by the following feature packages:

+

Maintained by MongoDB:

+ +

Some of these packages include native C++ extensions. +Consult the trouble shooting guide here if you run into compilation issues.

+

Third party:

+ +

This guide will show you how to set up a simple application using Node.js and MongoDB. Its scope is only how to set up the driver and perform the simple CRUD operations. For more in-depth coverage, see the official documentation.

+

First, create a directory where your application will live.

+
mkdir myProject
cd myProject +
+ +

Enter the following command and answer the questions to create the initial structure for your new project:

+
npm init -y
+
+ +

Next, install the driver as a dependency.

+
npm install mongodb
+
+ +

For complete MongoDB installation instructions, see the manual.

+
    +
  1. Download the right MongoDB version from MongoDB
  2. +
  3. Create a database directory (in this case under /data).
  4. +
  5. Install and start a mongod process.
  6. +
+
mongod --dbpath=/data
+
+ +

You should see the mongod process start up and print some status information.

+

Create a new app.js file and add the following code to try out some basic CRUD +operations using the MongoDB driver.

+

Add code to connect to the server and the database myProject:

+
+

NOTE: Resolving DNS Connection issues

+

Node.js 18 changed the default DNS resolution ordering from always prioritizing IPv4 to the ordering +returned by the DNS provider. In some environments, this can result in localhost resolving to +an IPv6 address instead of IPv4 and a consequent failure to connect to the server.

+

This can be resolved by:

+
    +
  • specifying the IP address family using the MongoClient family option (MongoClient(<uri>, { family: 4 } ))
  • +
  • launching mongod or mongos with the ipv6 flag enabled (--ipv6 mongod option documentation)
  • +
  • using a host of 127.0.0.1 in place of localhost
  • +
  • specifying the DNS resolution ordering with the --dns-resolution-order Node.js command line argument (e.g. node --dns-resolution-order=ipv4first)
  • +
+
+
const { MongoClient } = require('mongodb');
// or as an es module:
// import { MongoClient } from 'mongodb'

// Connection URL
const url = 'mongodb://localhost:27017';
const client = new MongoClient(url);

// Database Name
const dbName = 'myProject';

async function main() {
// Use connect method to connect to the server
await client.connect();
console.log('Connected successfully to server');
const db = client.db(dbName);
const collection = db.collection('documents');

// the following code examples can be pasted here...

return 'done.';
}

main()
.then(console.log)
.catch(console.error)
.finally(() => client.close()); +
+ +

Run your app from the command line with:

+
node app.js
+
+ +

The application should print Connected successfully to server to the console.

+

Add to app.js the following function which uses the insertMany +method to add three documents to the documents collection.

+
const insertResult = await collection.insertMany([{ a: 1 }, { a: 2 }, { a: 3 }]);
console.log('Inserted documents =>', insertResult); +
+ +

The insertMany command returns an object with information about the insert operations.

+

Add a query that returns all the documents.

+
const findResult = await collection.find({}).toArray();
console.log('Found documents =>', findResult); +
+ +

This query returns all the documents in the documents collection. +If you add this below the insertMany example, you'll see the documents you've inserted.

+

Add a query filter to find only documents which meet the query criteria.

+
const filteredDocs = await collection.find({ a: 3 }).toArray();
console.log('Found documents filtered by { a: 3 } =>', filteredDocs); +
+ +

Only the documents which match 'a' : 3 should be returned.

+

The following operation updates a document in the documents collection.

+
const updateResult = await collection.updateOne({ a: 3 }, { $set: { b: 1 } });
console.log('Updated documents =>', updateResult); +
+ +

The method updates the first document where the field a is equal to 3 by adding a new field b to the document set to 1. updateResult contains information about whether there was a matching document to update or not.

+

Remove the document where the field a is equal to 3.

+
const deleteResult = await collection.deleteMany({ a: 3 });
console.log('Deleted documents =>', deleteResult); +
+ +

Indexes can improve your application's +performance. The following function creates an index on the a field in the +documents collection.

+
const indexName = await collection.createIndex({ a: 1 });
console.log('index name =', indexName); +
+ +

For more detailed information, see the indexing strategies page.

+

If you need to filter certain errors from our driver, we have a helpful tree of errors described in etc/notes/errors.md.

+

It is our recommendation to use instanceof checks on errors and to avoid relying on parsing error.message and error.name strings in your code. +We guarantee instanceof checks will pass according to semver guidelines, but errors may be sub-classed or their messages may change at any time, even patch releases, as we see fit to increase the helpfulness of the errors.

+

Any new errors we add to the driver will directly extend an existing error class and no existing error will be moved to a different parent class outside of a major release. +This means instanceof will always be able to accurately capture the errors that our driver throws.

+
const client = new MongoClient(url);
await client.connect();
const collection = client.db().collection('collection');

try {
await collection.insertOne({ _id: 1 });
await collection.insertOne({ _id: 1 }); // duplicate key error
} catch (error) {
if (error instanceof MongoServerError) {
console.log(`Error worth logging: ${error}`); // special case for some reason
}
throw error; // still want to crash
} +
+ +

If you need to test with a change from the latest main branch, our mongodb npm package has nightly versions released under the nightly tag.

+
npm install mongodb@nightly
+
+ +

Nightly versions are published regardless of testing outcome. +This means there could be semantic breakages or partially implemented features. +The nightly build is not suitable for production use.

+ +

Apache 2.0

+

© 2012-present MongoDB Contributors
+© 2009-2012 Christian Amor Kvalheim

+
diff --git a/docs/6.14/interfaces/AWSEncryptionKeyOptions.html b/docs/6.14/interfaces/AWSEncryptionKeyOptions.html new file mode 100644 index 00000000000..6976b1a3378 --- /dev/null +++ b/docs/6.14/interfaces/AWSEncryptionKeyOptions.html @@ -0,0 +1,8 @@ +AWSEncryptionKeyOptions | mongodb

Interface AWSEncryptionKeyOptions

Configuration options for making an AWS encryption key

+
interface AWSEncryptionKeyOptions {
    endpoint?: string;
    key: string;
    region: string;
}

Properties

Properties

endpoint?: string

An alternate host to send KMS requests to. May include port number.

+
key: string

The Amazon Resource Name (ARN) to the AWS customer master key (CMK)

+
region: string

The AWS region of the KMS

+
diff --git a/docs/6.14/interfaces/AWSKMSProviderConfiguration.html b/docs/6.14/interfaces/AWSKMSProviderConfiguration.html new file mode 100644 index 00000000000..28d9155025c --- /dev/null +++ b/docs/6.14/interfaces/AWSKMSProviderConfiguration.html @@ -0,0 +1,8 @@ +AWSKMSProviderConfiguration | mongodb

Interface AWSKMSProviderConfiguration

interface AWSKMSProviderConfiguration {
    accessKeyId: string;
    secretAccessKey: string;
    sessionToken?: string;
}

Properties

accessKeyId: string

The access key used for the AWS KMS provider

+
secretAccessKey: string

The secret access key used for the AWS KMS provider

+
sessionToken?: string

An optional AWS session token that will be used as the +X-Amz-Security-Token header for AWS requests.

+
diff --git a/docs/6.14/interfaces/AbstractCursorOptions.html b/docs/6.14/interfaces/AbstractCursorOptions.html new file mode 100644 index 00000000000..080ef70c7b7 --- /dev/null +++ b/docs/6.14/interfaces/AbstractCursorOptions.html @@ -0,0 +1,87 @@ +AbstractCursorOptions | mongodb

Interface AbstractCursorOptions

interface AbstractCursorOptions {
    awaitData?: boolean;
    batchSize?: number;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    comment?: unknown;
    enableUtf8Validation?: boolean;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    noCursorTimeout?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    serializeFunctions?: boolean;
    session?: ClientSession;
    tailable?: boolean;
    timeoutMode?: CursorTimeoutMode;
    timeoutMS?: number;
    useBigInt64?: boolean;
}

Hierarchy (view full)

Properties

awaitData?: boolean

If awaitData is set to true, when the cursor reaches the end of the capped collection, +MongoDB blocks the query thread for a period of time waiting for new data to arrive. +When new data is inserted into the capped collection, the blocked thread is signaled +to wake up and return the next batch to the client.

+
batchSize?: number

Specifies the number of documents to return in each response from MongoDB

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxAwaitTimeMS?: number

When applicable maxAwaitTimeMS controls the amount of time subsequent getMores +that a cursor uses to fetch more data should take. (ex. cursor.next())

+
maxTimeMS?: number

When applicable maxTimeMS controls the amount of time the initial command +that constructs a cursor should take. (ex. find, aggregate, listCollections)

+
noCursorTimeout?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike
readPreference?: ReadPreferenceLike
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession
tailable?: boolean

By default, MongoDB will automatically close a cursor when the +client has exhausted all results in the cursor. However, for capped collections +you may use a Tailable Cursor that remains open after the client exhausts +the results in the initial cursor.

+
timeoutMode?: CursorTimeoutMode

Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +When set to 'iteration', the deadline specified by timeoutMS applies to each call of +cursor.next(). +When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

+

Depending on the type of cursor being used, this option has different default values. +For non-tailable cursors, this value defaults to 'cursorLifetime' +For tailable cursors, this value defaults to 'iteration' since tailable cursors, by +definition can have an arbitrarily long lifetime.

+
const cursor = collection.find({}, {timeoutMS: 100, timeoutMode: 'iteration'});
for await (const doc of cursor) {
// process doc
// This will throw a timeout error if any of the iterator's `next()` calls takes more than 100ms, but
// will continue to iterate successfully otherwise, regardless of the number of batches.
} +
+ +
const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms. +
+ +
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
diff --git a/docs/6.14/interfaces/AggregateOptions.html b/docs/6.14/interfaces/AggregateOptions.html new file mode 100644 index 00000000000..7baa9a76efc --- /dev/null +++ b/docs/6.14/interfaces/AggregateOptions.html @@ -0,0 +1,88 @@ +AggregateOptions | mongodb

Interface AggregateOptions

interface AggregateOptions {
    allowDiskUse?: boolean;
    authdb?: string;
    batchSize?: number;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    cursor?: Document;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Hint;
    ignoreUndefined?: boolean;
    let?: Document;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    out?: string;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

allowDiskUse?: boolean

allowDiskUse lets the server know if it can use disk to store temporary results for the aggregation (requires mongodb 2.6 >).

+
authdb?: string
batchSize?: number

The number of documents to return per batch. See aggregation documentation.

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specify collation.

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
cursor?: Document

Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+

This API is deprecated in favor of collection.aggregate().explain() +or db.aggregate().explain().

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Hint

Add an index selection hint to an aggregation command

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxAwaitTimeMS?: number

The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query.

+
maxTimeMS?: number

Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

+
noResponse?: boolean
omitReadPreference?: boolean
out?: string
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/AggregationCursorOptions.html b/docs/6.14/interfaces/AggregationCursorOptions.html new file mode 100644 index 00000000000..d2576d4867c --- /dev/null +++ b/docs/6.14/interfaces/AggregationCursorOptions.html @@ -0,0 +1,116 @@ +AggregationCursorOptions | mongodb

Interface AggregationCursorOptions

interface AggregationCursorOptions {
    allowDiskUse?: boolean;
    authdb?: string;
    awaitData?: boolean;
    batchSize?: number;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    cursor?: Document;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Hint;
    ignoreUndefined?: boolean;
    let?: Document;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    noCursorTimeout?: boolean;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    out?: string;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    tailable?: boolean;
    timeoutMode?: CursorTimeoutMode;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

allowDiskUse?: boolean

allowDiskUse lets the server know if it can use disk to store temporary results for the aggregation (requires mongodb 2.6 >).

+
authdb?: string
awaitData?: boolean

If awaitData is set to true, when the cursor reaches the end of the capped collection, +MongoDB blocks the query thread for a period of time waiting for new data to arrive. +When new data is inserted into the capped collection, the blocked thread is signaled +to wake up and return the next batch to the client.

+
batchSize?: number

Specifies the number of documents to return in each response from MongoDB

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specify collation.

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
cursor?: Document

Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+

This API is deprecated in favor of collection.aggregate().explain() +or db.aggregate().explain().

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Hint

Add an index selection hint to an aggregation command

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxAwaitTimeMS?: number

When applicable maxAwaitTimeMS controls the amount of time subsequent getMores +that a cursor uses to fetch more data should take. (ex. cursor.next())

+
maxTimeMS?: number

When applicable maxTimeMS controls the amount of time the initial command +that constructs a cursor should take. (ex. find, aggregate, listCollections)

+
noCursorTimeout?: boolean
noResponse?: boolean
omitReadPreference?: boolean
out?: string
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
tailable?: boolean

By default, MongoDB will automatically close a cursor when the +client has exhausted all results in the cursor. However, for capped collections +you may use a Tailable Cursor that remains open after the client exhausts +the results in the initial cursor.

+
timeoutMode?: CursorTimeoutMode

Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +When set to 'iteration', the deadline specified by timeoutMS applies to each call of +cursor.next(). +When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

+

Depending on the type of cursor being used, this option has different default values. +For non-tailable cursors, this value defaults to 'cursorLifetime' +For tailable cursors, this value defaults to 'iteration' since tailable cursors, by +definition can have an arbitrarily long lifetime.

+
const cursor = collection.find({}, {timeoutMS: 100, timeoutMode: 'iteration'});
for await (const doc of cursor) {
// process doc
// This will throw a timeout error if any of the iterator's `next()` calls takes more than 100ms, but
// will continue to iterate successfully otherwise, regardless of the number of batches.
} +
+ +
const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms. +
+ +
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/AsyncDisposable.html b/docs/6.14/interfaces/AsyncDisposable.html new file mode 100644 index 00000000000..81a700026e6 --- /dev/null +++ b/docs/6.14/interfaces/AsyncDisposable.html @@ -0,0 +1,2 @@ +AsyncDisposable | mongodb

Interface AsyncDisposable

interface AsyncDisposable {
    [asyncDispose](): Promise<void>;
}

Implemented by

Methods

diff --git a/docs/6.14/interfaces/Auth.html b/docs/6.14/interfaces/Auth.html new file mode 100644 index 00000000000..7aec68b0684 --- /dev/null +++ b/docs/6.14/interfaces/Auth.html @@ -0,0 +1,5 @@ +Auth | mongodb

Interface Auth

interface Auth {
    password?: string;
    username?: string;
}

Properties

Properties

password?: string

The password for auth

+
username?: string

The username for auth

+
diff --git a/docs/6.14/interfaces/AuthMechanismProperties.html b/docs/6.14/interfaces/AuthMechanismProperties.html new file mode 100644 index 00000000000..4ff1e723344 --- /dev/null +++ b/docs/6.14/interfaces/AuthMechanismProperties.html @@ -0,0 +1,16 @@ +AuthMechanismProperties | mongodb

Interface AuthMechanismProperties

interface AuthMechanismProperties {
    ALLOWED_HOSTS?: string[];
    AWS_SESSION_TOKEN?: string;
    CANONICALIZE_HOST_NAME?: GSSAPICanonicalizationValue;
    ENVIRONMENT?:
        | "azure"
        | "gcp"
        | "test"
        | "k8s";
    OIDC_CALLBACK?: OIDCCallbackFunction;
    OIDC_HUMAN_CALLBACK?: OIDCCallbackFunction;
    SERVICE_HOST?: string;
    SERVICE_NAME?: string;
    SERVICE_REALM?: string;
    TOKEN_RESOURCE?: string;
}

Hierarchy (view full)

Properties

ALLOWED_HOSTS?: string[]

Allowed hosts that OIDC auth can connect to.

+
AWS_SESSION_TOKEN?: string
CANONICALIZE_HOST_NAME?: GSSAPICanonicalizationValue
ENVIRONMENT?:
    | "azure"
    | "gcp"
    | "test"
    | "k8s"

The OIDC environment. Note that 'test' is for internal use only.

+
OIDC_CALLBACK?: OIDCCallbackFunction

A user provided OIDC machine callback function.

+
OIDC_HUMAN_CALLBACK?: OIDCCallbackFunction

A user provided OIDC human interacted callback function.

+
SERVICE_HOST?: string
SERVICE_NAME?: string
SERVICE_REALM?: string
TOKEN_RESOURCE?: string

The resource token for OIDC auth in Azure and GCP.

+
diff --git a/docs/6.14/interfaces/AutoEncryptionOptions.html b/docs/6.14/interfaces/AutoEncryptionOptions.html new file mode 100644 index 00000000000..d0a3fe54690 --- /dev/null +++ b/docs/6.14/interfaces/AutoEncryptionOptions.html @@ -0,0 +1,49 @@ +AutoEncryptionOptions | mongodb

Interface AutoEncryptionOptions

interface AutoEncryptionOptions {
    bypassAutoEncryption?: boolean;
    bypassQueryAnalysis?: boolean;
    encryptedFieldsMap?: Document;
    extraOptions?: {
        cryptSharedLibPath?: string;
        cryptSharedLibRequired?: boolean;
        mongocryptdBypassSpawn?: boolean;
        mongocryptdSpawnArgs?: string[];
        mongocryptdSpawnPath?: string;
        mongocryptdURI?: string;
    };
    keyVaultClient?: MongoClient;
    keyVaultNamespace?: string;
    kmsProviders?: KMSProviders;
    options?: {
        logger?: ((level: AutoEncryptionLoggerLevel, message: string) => void);
    };
    proxyOptions?: ProxyOptions;
    schemaMap?: Document;
    tlsOptions?: CSFLEKMSTlsOptions;
}

Properties

bypassAutoEncryption?: boolean

Allows the user to bypass auto encryption, maintaining implicit decryption

+
bypassQueryAnalysis?: boolean

Allows users to bypass query analysis

+
encryptedFieldsMap?: Document

Supply a schema for the encrypted fields in the document

+
extraOptions?: {
    cryptSharedLibPath?: string;
    cryptSharedLibRequired?: boolean;
    mongocryptdBypassSpawn?: boolean;
    mongocryptdSpawnArgs?: string[];
    mongocryptdSpawnPath?: string;
    mongocryptdURI?: string;
}

Type declaration

  • OptionalcryptSharedLibPath?: string

    Full path to a MongoDB Crypt shared library to be used (instead of mongocryptd).

    +

    This needs to be the path to the file itself, not a directory. +It can be an absolute or relative path. If the path is relative and +its first component is $ORIGIN, it will be replaced by the directory +containing the mongodb-client-encryption native addon file. Otherwise, +the path will be interpreted relative to the current working directory.

    +

    Currently, loading different MongoDB Crypt shared library files from different +MongoClients in the same process is not supported.

    +

    If this option is provided and no MongoDB Crypt shared library could be loaded +from the specified location, creating the MongoClient will fail.

    +

    If this option is not provided and cryptSharedLibRequired is not specified, +the AutoEncrypter will attempt to spawn and/or use mongocryptd according +to the mongocryptd-specific extraOptions options.

    +

    Specifying a path prevents mongocryptd from being used as a fallback.

    +

    Requires the MongoDB Crypt shared library, available in MongoDB 6.0 or higher.

    +
  • OptionalcryptSharedLibRequired?: boolean

    If specified, never use mongocryptd and instead fail when the MongoDB Crypt +shared library could not be loaded.

    +

    This is always true when cryptSharedLibPath is specified.

    +

    Requires the MongoDB Crypt shared library, available in MongoDB 6.0 or higher.

    +
  • OptionalmongocryptdBypassSpawn?: boolean

    If true, autoEncryption will not attempt to spawn a mongocryptd before connecting

    +
  • OptionalmongocryptdSpawnArgs?: string[]

    Command line arguments to use when auto-spawning a mongocryptd

    +
  • OptionalmongocryptdSpawnPath?: string

    The path to the mongocryptd executable on the system

    +
  • OptionalmongocryptdURI?: string

    A local process the driver communicates with to determine how to encrypt values in a command. +Defaults to "mongodb://%2Fvar%2Fmongocryptd.sock" if domain sockets are available or "mongodb://localhost:27020" otherwise

    +
keyVaultClient?: MongoClient

A MongoClient used to fetch keys from a key vault

+
keyVaultNamespace?: string

The namespace where keys are stored in the key vault

+
kmsProviders?: KMSProviders

Configuration options that are used by specific KMS providers during key generation, encryption, and decryption.

+
options?: {
    logger?: ((level: AutoEncryptionLoggerLevel, message: string) => void);
}

Type declaration

  • Optionallogger?: ((level: AutoEncryptionLoggerLevel, message: string) => void)

    An optional hook to catch logging messages from the underlying encryption engine

    +
proxyOptions?: ProxyOptions
schemaMap?: Document

A map of namespaces to a local JSON schema for encryption

+

NOTE: Supplying options.schemaMap provides more security than relying on JSON Schemas obtained from the server. +It protects against a malicious server advertising a false JSON Schema, which could trick the client into sending decrypted data that should be encrypted. +Schemas supplied in the schemaMap only apply to configuring automatic encryption for Client-Side Field Level Encryption. +Other validation rules in the JSON schema will not be enforced by the driver and will result in an error.

+
tlsOptions?: CSFLEKMSTlsOptions

The TLS options to use connecting to the KMS provider

+
diff --git a/docs/6.14/interfaces/AzureEncryptionKeyOptions.html b/docs/6.14/interfaces/AzureEncryptionKeyOptions.html new file mode 100644 index 00000000000..d42529f576a --- /dev/null +++ b/docs/6.14/interfaces/AzureEncryptionKeyOptions.html @@ -0,0 +1,8 @@ +AzureEncryptionKeyOptions | mongodb

Interface AzureEncryptionKeyOptions

Configuration options for making an Azure encryption key

+
interface AzureEncryptionKeyOptions {
    keyName: string;
    keyVaultEndpoint: string;
    keyVersion?: string;
}

Properties

keyName: string

Key name

+
keyVaultEndpoint: string

Key vault URL, typically <name>.vault.azure.net

+
keyVersion?: string

Key version

+
diff --git a/docs/6.14/interfaces/BSON.BSONRegExpExtended.html b/docs/6.14/interfaces/BSON.BSONRegExpExtended.html new file mode 100644 index 00000000000..10d0054b5fd --- /dev/null +++ b/docs/6.14/interfaces/BSON.BSONRegExpExtended.html @@ -0,0 +1,2 @@ +BSONRegExpExtended | mongodb

Interface BSONRegExpExtended

interface BSONRegExpExtended {
    $regularExpression: {
        options: string;
        pattern: string;
    };
}

Properties

Properties

$regularExpression: {
    options: string;
    pattern: string;
}
diff --git a/docs/6.14/interfaces/BSON.BSONRegExpExtendedLegacy.html b/docs/6.14/interfaces/BSON.BSONRegExpExtendedLegacy.html new file mode 100644 index 00000000000..a73fcf3326c --- /dev/null +++ b/docs/6.14/interfaces/BSON.BSONRegExpExtendedLegacy.html @@ -0,0 +1,3 @@ +BSONRegExpExtendedLegacy | mongodb

Interface BSONRegExpExtendedLegacy

interface BSONRegExpExtendedLegacy {
    $options: string;
    $regex: string | BSONRegExp;
}

Properties

Properties

$options: string
$regex: string | BSONRegExp
diff --git a/docs/6.14/interfaces/BSON.BSONSymbolExtended.html b/docs/6.14/interfaces/BSON.BSONSymbolExtended.html new file mode 100644 index 00000000000..880549285fe --- /dev/null +++ b/docs/6.14/interfaces/BSON.BSONSymbolExtended.html @@ -0,0 +1,2 @@ +BSONSymbolExtended | mongodb

Interface BSONSymbolExtended

interface BSONSymbolExtended {
    $symbol: string;
}

Properties

Properties

$symbol: string
diff --git a/docs/6.14/interfaces/BSON.BinaryExtended.html b/docs/6.14/interfaces/BSON.BinaryExtended.html new file mode 100644 index 00000000000..223e58f4652 --- /dev/null +++ b/docs/6.14/interfaces/BSON.BinaryExtended.html @@ -0,0 +1,2 @@ +BinaryExtended | mongodb

Interface BinaryExtended

interface BinaryExtended {
    $binary: {
        base64: string;
        subType: string;
    };
}

Properties

Properties

$binary: {
    base64: string;
    subType: string;
}
diff --git a/docs/6.14/interfaces/BSON.BinaryExtendedLegacy.html b/docs/6.14/interfaces/BSON.BinaryExtendedLegacy.html new file mode 100644 index 00000000000..e35fd702085 --- /dev/null +++ b/docs/6.14/interfaces/BSON.BinaryExtendedLegacy.html @@ -0,0 +1,3 @@ +BinaryExtendedLegacy | mongodb

Interface BinaryExtendedLegacy

interface BinaryExtendedLegacy {
    $binary: string;
    $type: string;
}

Properties

Properties

$binary: string
$type: string
diff --git a/docs/6.14/interfaces/BSON.CodeExtended.html b/docs/6.14/interfaces/BSON.CodeExtended.html new file mode 100644 index 00000000000..e5734be6246 --- /dev/null +++ b/docs/6.14/interfaces/BSON.CodeExtended.html @@ -0,0 +1,3 @@ +CodeExtended | mongodb

Interface CodeExtended

interface CodeExtended {
    $code: string;
    $scope?: Document;
}

Properties

Properties

$code: string
$scope?: Document
diff --git a/docs/6.14/interfaces/BSON.DBRefLike.html b/docs/6.14/interfaces/BSON.DBRefLike.html new file mode 100644 index 00000000000..b262ce38058 --- /dev/null +++ b/docs/6.14/interfaces/BSON.DBRefLike.html @@ -0,0 +1,4 @@ +DBRefLike | mongodb

Interface DBRefLike

interface DBRefLike {
    $db?: string;
    $id: ObjectId;
    $ref: string;
}

Properties

Properties

$db?: string
$ref: string
diff --git a/docs/6.14/interfaces/BSON.Decimal128Extended.html b/docs/6.14/interfaces/BSON.Decimal128Extended.html new file mode 100644 index 00000000000..cd6503ee19e --- /dev/null +++ b/docs/6.14/interfaces/BSON.Decimal128Extended.html @@ -0,0 +1,2 @@ +Decimal128Extended | mongodb

Interface Decimal128Extended

interface Decimal128Extended {
    $numberDecimal: string;
}

Properties

Properties

$numberDecimal: string
diff --git a/docs/6.14/interfaces/BSON.DeserializeOptions.html b/docs/6.14/interfaces/BSON.DeserializeOptions.html new file mode 100644 index 00000000000..1512065b1e1 --- /dev/null +++ b/docs/6.14/interfaces/BSON.DeserializeOptions.html @@ -0,0 +1,32 @@ +DeserializeOptions | mongodb

Interface DeserializeOptions

interface DeserializeOptions {
    allowObjectSmallerThanBufferSize?: boolean;
    bsonRegExp?: boolean;
    fieldsAsRaw?: Document;
    index?: number;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    useBigInt64?: boolean;
    validation?: {
        utf8: boolean | Record<string, true> | Record<string, false>;
    };
}

Properties

allowObjectSmallerThanBufferSize?: boolean

allows the buffer to be larger than the parsed BSON object.

+

false

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
index?: number

Offset into buffer to begin reading document from

+

0

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
validation?: {
    utf8: boolean | Record<string, true> | Record<string, false>;
}

Allows for opt-out utf-8 validation for all keys or +specified keys. Must be all true or all false.

+
// disables validation on all keys
validation: { utf8: false }

// enables validation only on specified keys a, b, and c
validation: { utf8: { a: true, b: true, c: true } }

// disables validation only on specified keys a, b
validation: { utf8: { a: false, b: false } } +
+ +
diff --git a/docs/6.14/interfaces/BSON.Document.html b/docs/6.14/interfaces/BSON.Document.html new file mode 100644 index 00000000000..54d88a3471a --- /dev/null +++ b/docs/6.14/interfaces/BSON.Document.html @@ -0,0 +1 @@ +Document | mongodb
diff --git a/docs/6.14/interfaces/BSON.DoubleExtended.html b/docs/6.14/interfaces/BSON.DoubleExtended.html new file mode 100644 index 00000000000..4923b30564b --- /dev/null +++ b/docs/6.14/interfaces/BSON.DoubleExtended.html @@ -0,0 +1,2 @@ +DoubleExtended | mongodb

Interface DoubleExtended

interface DoubleExtended {
    $numberDouble: string;
}

Properties

Properties

$numberDouble: string
diff --git a/docs/6.14/interfaces/BSON.Int32Extended.html b/docs/6.14/interfaces/BSON.Int32Extended.html new file mode 100644 index 00000000000..cd5d7572c1d --- /dev/null +++ b/docs/6.14/interfaces/BSON.Int32Extended.html @@ -0,0 +1,2 @@ +Int32Extended | mongodb

Interface Int32Extended

interface Int32Extended {
    $numberInt: string;
}

Properties

Properties

$numberInt: string
diff --git a/docs/6.14/interfaces/BSON.LongExtended.html b/docs/6.14/interfaces/BSON.LongExtended.html new file mode 100644 index 00000000000..d12bef5d274 --- /dev/null +++ b/docs/6.14/interfaces/BSON.LongExtended.html @@ -0,0 +1,2 @@ +LongExtended | mongodb

Interface LongExtended

interface LongExtended {
    $numberLong: string;
}

Properties

Properties

$numberLong: string
diff --git a/docs/6.14/interfaces/BSON.MaxKeyExtended.html b/docs/6.14/interfaces/BSON.MaxKeyExtended.html new file mode 100644 index 00000000000..a154337016e --- /dev/null +++ b/docs/6.14/interfaces/BSON.MaxKeyExtended.html @@ -0,0 +1,2 @@ +MaxKeyExtended | mongodb

Interface MaxKeyExtended

interface MaxKeyExtended {
    $maxKey: 1;
}

Properties

Properties

$maxKey: 1
diff --git a/docs/6.14/interfaces/BSON.MinKeyExtended.html b/docs/6.14/interfaces/BSON.MinKeyExtended.html new file mode 100644 index 00000000000..e41484c4fe2 --- /dev/null +++ b/docs/6.14/interfaces/BSON.MinKeyExtended.html @@ -0,0 +1,2 @@ +MinKeyExtended | mongodb

Interface MinKeyExtended

interface MinKeyExtended {
    $minKey: 1;
}

Properties

Properties

$minKey: 1
diff --git a/docs/6.14/interfaces/BSON.ObjectIdExtended.html b/docs/6.14/interfaces/BSON.ObjectIdExtended.html new file mode 100644 index 00000000000..53d41ad5b08 --- /dev/null +++ b/docs/6.14/interfaces/BSON.ObjectIdExtended.html @@ -0,0 +1,2 @@ +ObjectIdExtended | mongodb

Interface ObjectIdExtended

interface ObjectIdExtended {
    $oid: string;
}

Properties

Properties

$oid: string
diff --git a/docs/6.14/interfaces/BSON.ObjectIdLike.html b/docs/6.14/interfaces/BSON.ObjectIdLike.html new file mode 100644 index 00000000000..9c1b80b5940 --- /dev/null +++ b/docs/6.14/interfaces/BSON.ObjectIdLike.html @@ -0,0 +1,4 @@ +ObjectIdLike | mongodb

Interface ObjectIdLike

interface ObjectIdLike {
    __id?: string;
    id: string | Uint8Array;
    toHexString(): string;
}

Properties

Methods

Properties

__id?: string
id: string | Uint8Array

Methods

  • Returns string

diff --git a/docs/6.14/interfaces/BSON.SerializeOptions.html b/docs/6.14/interfaces/BSON.SerializeOptions.html new file mode 100644 index 00000000000..2d080b82919 --- /dev/null +++ b/docs/6.14/interfaces/BSON.SerializeOptions.html @@ -0,0 +1,14 @@ +SerializeOptions | mongodb

Interface SerializeOptions

interface SerializeOptions {
    checkKeys?: boolean;
    ignoreUndefined?: boolean;
    index?: number;
    serializeFunctions?: boolean;
}

Properties

checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
index?: number

the index in the buffer where we wish to start serializing into

+

0

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
diff --git a/docs/6.14/interfaces/BSON.TimestampExtended.html b/docs/6.14/interfaces/BSON.TimestampExtended.html new file mode 100644 index 00000000000..8bf31f783fc --- /dev/null +++ b/docs/6.14/interfaces/BSON.TimestampExtended.html @@ -0,0 +1,2 @@ +TimestampExtended | mongodb

Interface TimestampExtended

interface TimestampExtended {
    $timestamp: {
        i: number;
        t: number;
    };
}

Properties

Properties

$timestamp: {
    i: number;
    t: number;
}
diff --git a/docs/6.14/interfaces/BSONSerializeOptions.html b/docs/6.14/interfaces/BSONSerializeOptions.html new file mode 100644 index 00000000000..a4c57a620f3 --- /dev/null +++ b/docs/6.14/interfaces/BSONSerializeOptions.html @@ -0,0 +1,44 @@ +BSONSerializeOptions | mongodb

Interface BSONSerializeOptions

BSON Serialization options.

+
interface BSONSerializeOptions {
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    enableUtf8Validation?: boolean;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    serializeFunctions?: boolean;
    useBigInt64?: boolean;
}

Hierarchy (view full)

Properties

bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
diff --git a/docs/6.14/interfaces/BulkWriteOperationError.html b/docs/6.14/interfaces/BulkWriteOperationError.html new file mode 100644 index 00000000000..95c66e18c2a --- /dev/null +++ b/docs/6.14/interfaces/BulkWriteOperationError.html @@ -0,0 +1,6 @@ +BulkWriteOperationError | mongodb

Interface BulkWriteOperationError

interface BulkWriteOperationError {
    code: number;
    errInfo: Document;
    errmsg: string;
    index: number;
    op: Document | DeleteStatement | UpdateStatement;
}

Properties

Properties

code: number
errInfo: Document
errmsg: string
index: number
diff --git a/docs/6.14/interfaces/BulkWriteOptions.html b/docs/6.14/interfaces/BulkWriteOptions.html new file mode 100644 index 00000000000..8ea6c5c5e8a --- /dev/null +++ b/docs/6.14/interfaces/BulkWriteOptions.html @@ -0,0 +1,83 @@ +BulkWriteOptions | mongodb

Interface BulkWriteOptions

interface BulkWriteOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    forceServerObjectId?: boolean;
    ignoreUndefined?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    ordered?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+

false - documents will be validated by default

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
forceServerObjectId?: boolean

Force server to assign _id values instead of driver.

+

false - the driver generates _id fields by default

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
ordered?: boolean

If true, when an insert fails, don't execute the remaining writes. +If false, continue with remaining inserts when one fails.

+

true - inserts are ordered by default

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ChangeStreamCollModDocument.html b/docs/6.14/interfaces/ChangeStreamCollModDocument.html new file mode 100644 index 00000000000..69934581149 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamCollModDocument.html @@ -0,0 +1,32 @@ +ChangeStreamCollModDocument | mongodb

Interface ChangeStreamCollModDocument

Only present when the showExpandedEvents flag is enabled.

+
interface ChangeStreamCollModDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    operationType: "modify";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationType: "modify"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamCreateDocument.html b/docs/6.14/interfaces/ChangeStreamCreateDocument.html new file mode 100644 index 00000000000..36ee5f0685d --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamCreateDocument.html @@ -0,0 +1,34 @@ +ChangeStreamCreateDocument | mongodb

Interface ChangeStreamCreateDocument

interface ChangeStreamCreateDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    nsType?: "timeseries" | "collection" | "view";
    operationType: "create";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
nsType?: "timeseries" | "collection" | "view"

The type of the newly created object.

+

8.1.0

+
operationType: "create"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamCreateIndexDocument.html b/docs/6.14/interfaces/ChangeStreamCreateIndexDocument.html new file mode 100644 index 00000000000..1a0cf12efed --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamCreateIndexDocument.html @@ -0,0 +1,36 @@ +ChangeStreamCreateIndexDocument | mongodb

Interface ChangeStreamCreateIndexDocument

Only present when the showExpandedEvents flag is enabled.

+
interface ChangeStreamCreateIndexDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    operationDescription?: Document;
    operationType: "createIndexes";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationDescription?: Document

An description of the operation.

+

Only present when the showExpandedEvents flag is enabled.

+

6.1.0

+
operationType: "createIndexes"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamDeleteDocument.html b/docs/6.14/interfaces/ChangeStreamDeleteDocument.html new file mode 100644 index 00000000000..fc59f5083d6 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDeleteDocument.html @@ -0,0 +1,42 @@ +ChangeStreamDeleteDocument | mongodb

Interface ChangeStreamDeleteDocument<TSchema>

interface ChangeStreamDeleteDocument<TSchema> {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    };
    fullDocumentBeforeChange?: TSchema;
    lsid?: ServerSessionId;
    ns: ChangeStreamNameSpace;
    operationType: "delete";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Type Parameters

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+
documentKey: {
    _id: InferIdType<TSchema>;
    [shardKey: string]: any;
}

For unsharded collections this contains a single field _id. +For sharded collections, this will contain all the components of the shard key

+
fullDocumentBeforeChange?: TSchema

Contains the pre-image of the modified or deleted document if the +pre-image is available for the change event and either 'required' or +'whenAvailable' was specified for the 'fullDocumentBeforeChange' option +when creating the change stream. If 'whenAvailable' was specified but the +pre-image is unavailable, this will be explicitly set to null.

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

Namespace the delete event occurred on

+
operationType: "delete"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamDocumentCollectionUUID.html b/docs/6.14/interfaces/ChangeStreamDocumentCollectionUUID.html new file mode 100644 index 00000000000..5990bb2168c --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDocumentCollectionUUID.html @@ -0,0 +1,7 @@ +ChangeStreamDocumentCollectionUUID | mongodb

Interface ChangeStreamDocumentCollectionUUID

interface ChangeStreamDocumentCollectionUUID {
    collectionUUID: Binary;
}

Hierarchy (view full)

Properties

Properties

collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+
diff --git a/docs/6.14/interfaces/ChangeStreamDocumentCommon.html b/docs/6.14/interfaces/ChangeStreamDocumentCommon.html new file mode 100644 index 00000000000..e7c27240cd0 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDocumentCommon.html @@ -0,0 +1,22 @@ +ChangeStreamDocumentCommon | mongodb

Interface ChangeStreamDocumentCommon

interface ChangeStreamDocumentCommon {
    _id: unknown;
    clusterTime?: Timestamp;
    lsid?: ServerSessionId;
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamDocumentKey.html b/docs/6.14/interfaces/ChangeStreamDocumentKey.html new file mode 100644 index 00000000000..c872c045108 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDocumentKey.html @@ -0,0 +1,4 @@ +ChangeStreamDocumentKey | mongodb

Interface ChangeStreamDocumentKey<TSchema>

interface ChangeStreamDocumentKey<TSchema> {
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    };
}

Type Parameters

Hierarchy (view full)

Properties

Properties

documentKey: {
    _id: InferIdType<TSchema>;
    [shardKey: string]: any;
}

For unsharded collections this contains a single field _id. +For sharded collections, this will contain all the components of the shard key

+
diff --git a/docs/6.14/interfaces/ChangeStreamDocumentOperationDescription.html b/docs/6.14/interfaces/ChangeStreamDocumentOperationDescription.html new file mode 100644 index 00000000000..25b13d13abd --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDocumentOperationDescription.html @@ -0,0 +1,5 @@ +ChangeStreamDocumentOperationDescription | mongodb

Interface ChangeStreamDocumentOperationDescription

interface ChangeStreamDocumentOperationDescription {
    operationDescription?: Document;
}

Hierarchy (view full)

Properties

operationDescription?: Document

An description of the operation.

+

Only present when the showExpandedEvents flag is enabled.

+

6.1.0

+
diff --git a/docs/6.14/interfaces/ChangeStreamDropDatabaseDocument.html b/docs/6.14/interfaces/ChangeStreamDropDatabaseDocument.html new file mode 100644 index 00000000000..b98526c0527 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDropDatabaseDocument.html @@ -0,0 +1,27 @@ +ChangeStreamDropDatabaseDocument | mongodb

Interface ChangeStreamDropDatabaseDocument

interface ChangeStreamDropDatabaseDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    lsid?: ServerSessionId;
    ns: {
        db: string;
    };
    operationType: "dropDatabase";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
ns: {
    db: string;
}

The database dropped

+
operationType: "dropDatabase"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamDropDocument.html b/docs/6.14/interfaces/ChangeStreamDropDocument.html new file mode 100644 index 00000000000..2793cf98ef2 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDropDocument.html @@ -0,0 +1,33 @@ +ChangeStreamDropDocument | mongodb

Interface ChangeStreamDropDocument

interface ChangeStreamDropDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    ns: ChangeStreamNameSpace;
    operationType: "drop";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

Namespace the drop event occurred on

+
operationType: "drop"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamDropIndexDocument.html b/docs/6.14/interfaces/ChangeStreamDropIndexDocument.html new file mode 100644 index 00000000000..90113af226f --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamDropIndexDocument.html @@ -0,0 +1,36 @@ +ChangeStreamDropIndexDocument | mongodb

Interface ChangeStreamDropIndexDocument

Only present when the showExpandedEvents flag is enabled.

+
interface ChangeStreamDropIndexDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    operationDescription?: Document;
    operationType: "dropIndexes";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationDescription?: Document

An description of the operation.

+

Only present when the showExpandedEvents flag is enabled.

+

6.1.0

+
operationType: "dropIndexes"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamInsertDocument.html b/docs/6.14/interfaces/ChangeStreamInsertDocument.html new file mode 100644 index 00000000000..af48ef91bf4 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamInsertDocument.html @@ -0,0 +1,38 @@ +ChangeStreamInsertDocument | mongodb

Interface ChangeStreamInsertDocument<TSchema>

interface ChangeStreamInsertDocument<TSchema> {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    };
    fullDocument: TSchema;
    lsid?: ServerSessionId;
    ns: ChangeStreamNameSpace;
    operationType: "insert";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Type Parameters

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+
documentKey: {
    _id: InferIdType<TSchema>;
    [shardKey: string]: any;
}

For unsharded collections this contains a single field _id. +For sharded collections, this will contain all the components of the shard key

+
fullDocument: TSchema

This key will contain the document being inserted

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

Namespace the insert event occurred on

+
operationType: "insert"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamInvalidateDocument.html b/docs/6.14/interfaces/ChangeStreamInvalidateDocument.html new file mode 100644 index 00000000000..cb378338d04 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamInvalidateDocument.html @@ -0,0 +1,25 @@ +ChangeStreamInvalidateDocument | mongodb

Interface ChangeStreamInvalidateDocument

interface ChangeStreamInvalidateDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    lsid?: ServerSessionId;
    operationType: "invalidate";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationType: "invalidate"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamNameSpace.html b/docs/6.14/interfaces/ChangeStreamNameSpace.html new file mode 100644 index 00000000000..562779dcece --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamNameSpace.html @@ -0,0 +1,3 @@ +ChangeStreamNameSpace | mongodb

Interface ChangeStreamNameSpace

interface ChangeStreamNameSpace {
    coll: string;
    db: string;
}

Properties

coll +db +

Properties

coll: string
db: string
diff --git a/docs/6.14/interfaces/ChangeStreamOptions.html b/docs/6.14/interfaces/ChangeStreamOptions.html new file mode 100644 index 00000000000..36a5b719fac --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamOptions.html @@ -0,0 +1,126 @@ +ChangeStreamOptions | mongodb

Interface ChangeStreamOptions

Options that can be passed to a ChangeStream. Note that startAfter, resumeAfter, and startAtOperationTime are all mutually exclusive, and the server will error if more than one is specified.

+
interface ChangeStreamOptions {
    allowDiskUse?: boolean;
    authdb?: string;
    batchSize?: number;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    cursor?: Document;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    fullDocument?: string;
    fullDocumentBeforeChange?: string;
    hint?: Hint;
    ignoreUndefined?: boolean;
    let?: Document;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    out?: string;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    resumeAfter?: unknown;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    showExpandedEvents?: boolean;
    startAfter?: unknown;
    startAtOperationTime?: Timestamp;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
}

Hierarchy

Properties

allowDiskUse?: boolean

allowDiskUse lets the server know if it can use disk to store temporary results for the aggregation (requires mongodb 2.6 >).

+
authdb?: string
batchSize?: number

The number of documents to return per batch.

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specify collation.

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
cursor?: Document

Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+

This API is deprecated in favor of collection.aggregate().explain() +or db.aggregate().explain().

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
fullDocument?: string

Allowed values: 'updateLookup', 'whenAvailable', 'required'.

+

When set to 'updateLookup', the change notification for partial updates +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.

+

When set to 'whenAvailable', configures the change stream to return the +post-image of the modified document for replace and update change events +if the post-image for this event is available.

+

When set to 'required', the same behavior as 'whenAvailable' except that +an error is raised if the post-image is not available.

+
fullDocumentBeforeChange?: string

Allowed values: 'whenAvailable', 'required', 'off'.

+

The default is to not send a value, which is equivalent to 'off'.

+

When set to 'whenAvailable', configures the change stream to return the +pre-image of the modified document for replace, update, and delete change +events if it is available.

+

When set to 'required', the same behavior as 'whenAvailable' except that +an error is raised if the pre-image is not available.

+
hint?: Hint

Add an index selection hint to an aggregation command

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxAwaitTimeMS?: number

The maximum amount of time for the server to wait on new documents to satisfy a change stream query.

+
maxTimeMS?: number

Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

+
noResponse?: boolean
omitReadPreference?: boolean
out?: string
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
resumeAfter?: unknown

Allows you to start a changeStream after a specified event.

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
showExpandedEvents?: boolean

When enabled, configures the change stream to include extra change events.

+
    +
  • createIndexes
  • +
  • dropIndexes
  • +
  • modify
  • +
  • create
  • +
  • shardCollection
  • +
  • reshardCollection
  • +
  • refineCollectionShardKey
  • +
+
startAfter?: unknown

Similar to resumeAfter, but will allow you to start after an invalidated event.

+
startAtOperationTime?: Timestamp

Will start the changeStream after the specified operationTime.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean
diff --git a/docs/6.14/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html b/docs/6.14/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html new file mode 100644 index 00000000000..46e0c189a0c --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html @@ -0,0 +1,35 @@ +ChangeStreamRefineCollectionShardKeyDocument | mongodb

Interface ChangeStreamRefineCollectionShardKeyDocument

interface ChangeStreamRefineCollectionShardKeyDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    operationDescription?: Document;
    operationType: "refineCollectionShardKey";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationDescription?: Document

An description of the operation.

+

Only present when the showExpandedEvents flag is enabled.

+

6.1.0

+
operationType: "refineCollectionShardKey"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamRenameDocument.html b/docs/6.14/interfaces/ChangeStreamRenameDocument.html new file mode 100644 index 00000000000..4ecedf5ba49 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamRenameDocument.html @@ -0,0 +1,35 @@ +ChangeStreamRenameDocument | mongodb

Interface ChangeStreamRenameDocument

interface ChangeStreamRenameDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    ns: ChangeStreamNameSpace;
    operationType: "rename";
    splitEvent?: ChangeStreamSplitEvent;
    to: {
        coll: string;
        db: string;
    };
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

The "from" namespace that the rename occurred on

+
operationType: "rename"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
to: {
    coll: string;
    db: string;
}

The new name for the ns.coll collection

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamReplaceDocument.html b/docs/6.14/interfaces/ChangeStreamReplaceDocument.html new file mode 100644 index 00000000000..b3decf51d29 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamReplaceDocument.html @@ -0,0 +1,38 @@ +ChangeStreamReplaceDocument | mongodb

Interface ChangeStreamReplaceDocument<TSchema>

interface ChangeStreamReplaceDocument<TSchema> {
    _id: unknown;
    clusterTime?: Timestamp;
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    };
    fullDocument: TSchema;
    fullDocumentBeforeChange?: TSchema;
    lsid?: ServerSessionId;
    ns: ChangeStreamNameSpace;
    operationType: "replace";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Type Parameters

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
documentKey: {
    _id: InferIdType<TSchema>;
    [shardKey: string]: any;
}

For unsharded collections this contains a single field _id. +For sharded collections, this will contain all the components of the shard key

+
fullDocument: TSchema

The fullDocument of a replace event represents the document after the insert of the replacement document

+
fullDocumentBeforeChange?: TSchema

Contains the pre-image of the modified or deleted document if the +pre-image is available for the change event and either 'required' or +'whenAvailable' was specified for the 'fullDocumentBeforeChange' option +when creating the change stream. If 'whenAvailable' was specified but the +pre-image is unavailable, this will be explicitly set to null.

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

Namespace the replace event occurred on

+
operationType: "replace"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamReshardCollectionDocument.html b/docs/6.14/interfaces/ChangeStreamReshardCollectionDocument.html new file mode 100644 index 00000000000..ecf3cdb8844 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamReshardCollectionDocument.html @@ -0,0 +1,35 @@ +ChangeStreamReshardCollectionDocument | mongodb

Interface ChangeStreamReshardCollectionDocument

interface ChangeStreamReshardCollectionDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    operationDescription?: Document;
    operationType: "reshardCollection";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationDescription?: Document

An description of the operation.

+

Only present when the showExpandedEvents flag is enabled.

+

6.1.0

+
operationType: "reshardCollection"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamShardCollectionDocument.html b/docs/6.14/interfaces/ChangeStreamShardCollectionDocument.html new file mode 100644 index 00000000000..7c685044265 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamShardCollectionDocument.html @@ -0,0 +1,35 @@ +ChangeStreamShardCollectionDocument | mongodb

Interface ChangeStreamShardCollectionDocument

interface ChangeStreamShardCollectionDocument {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    lsid?: ServerSessionId;
    operationDescription?: Document;
    operationType: "shardCollection";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
}

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+
operationDescription?: Document

An description of the operation.

+

Only present when the showExpandedEvents flag is enabled.

+

6.1.0

+
operationType: "shardCollection"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
diff --git a/docs/6.14/interfaces/ChangeStreamSplitEvent.html b/docs/6.14/interfaces/ChangeStreamSplitEvent.html new file mode 100644 index 00000000000..053983ced00 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamSplitEvent.html @@ -0,0 +1,5 @@ +ChangeStreamSplitEvent | mongodb

Interface ChangeStreamSplitEvent

interface ChangeStreamSplitEvent {
    fragment: number;
    of: number;
}

Properties

Properties

fragment: number

Which fragment of the change this is.

+
of: number

The total number of fragments.

+
diff --git a/docs/6.14/interfaces/ChangeStreamUpdateDocument.html b/docs/6.14/interfaces/ChangeStreamUpdateDocument.html new file mode 100644 index 00000000000..2d22bdd3226 --- /dev/null +++ b/docs/6.14/interfaces/ChangeStreamUpdateDocument.html @@ -0,0 +1,49 @@ +ChangeStreamUpdateDocument | mongodb

Interface ChangeStreamUpdateDocument<TSchema>

interface ChangeStreamUpdateDocument<TSchema> {
    _id: unknown;
    clusterTime?: Timestamp;
    collectionUUID: Binary;
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    };
    fullDocument?: TSchema;
    fullDocumentBeforeChange?: TSchema;
    lsid?: ServerSessionId;
    ns: ChangeStreamNameSpace;
    operationType: "update";
    splitEvent?: ChangeStreamSplitEvent;
    txnNumber?: number;
    updateDescription: UpdateDescription<TSchema>;
}

Type Parameters

Hierarchy (view full)

Properties

_id: unknown

The id functions as an opaque token for use when resuming an interrupted +change stream.

+
clusterTime?: Timestamp

The timestamp from the oplog entry associated with the event. +For events that happened as part of a multi-document transaction, the associated change stream +notifications will have the same clusterTime value, namely the time when the transaction was committed. +On a sharded cluster, events that occur on different shards can have the same clusterTime but be +associated with different transactions or even not be associated with any transaction. +To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

+
collectionUUID: Binary

The UUID (Binary subtype 4) of the collection that the operation was performed on.

+

Only present when the showExpandedEvents flag is enabled.

+

NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers +flag is enabled.

+

6.1.0

+
documentKey: {
    _id: InferIdType<TSchema>;
    [shardKey: string]: any;
}

For unsharded collections this contains a single field _id. +For sharded collections, this will contain all the components of the shard key

+
fullDocument?: TSchema

This is only set if fullDocument is set to 'updateLookup' +Contains the point-in-time post-image of the modified document if the +post-image is available and either 'required' or 'whenAvailable' was +specified for the 'fullDocument' option when creating the change stream.

+
fullDocumentBeforeChange?: TSchema

Contains the pre-image of the modified or deleted document if the +pre-image is available for the change event and either 'required' or +'whenAvailable' was specified for the 'fullDocumentBeforeChange' option +when creating the change stream. If 'whenAvailable' was specified but the +pre-image is unavailable, this will be explicitly set to null.

+

The identifier for the session associated with the transaction. +Only present if the operation is part of a multi-document transaction.

+

Namespace the update event occurred on

+
operationType: "update"

Describes the type of operation represented in this change notification

+

When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +stage, events larger than 16MB will be split into multiple events and contain the +following information about which fragment the current event is.

+
txnNumber?: number

The transaction number. +Only present if the operation is part of a multi-document transaction.

+

NOTE: txnNumber can be a Long if promoteLongs is set to false

+
updateDescription: UpdateDescription<TSchema>

Contains a description of updated and removed fields in this operation

+
diff --git a/docs/6.14/interfaces/ClientBulkWriteError.html b/docs/6.14/interfaces/ClientBulkWriteError.html new file mode 100644 index 00000000000..31357978c9e --- /dev/null +++ b/docs/6.14/interfaces/ClientBulkWriteError.html @@ -0,0 +1,3 @@ +ClientBulkWriteError | mongodb

Interface ClientBulkWriteError

interface ClientBulkWriteError {
    code: number;
    message: string;
}

Properties

Properties

code: number
message: string
diff --git a/docs/6.14/interfaces/ClientBulkWriteOptions.html b/docs/6.14/interfaces/ClientBulkWriteOptions.html new file mode 100644 index 00000000000..e7735050973 --- /dev/null +++ b/docs/6.14/interfaces/ClientBulkWriteOptions.html @@ -0,0 +1,83 @@ +ClientBulkWriteOptions | mongodb

Interface ClientBulkWriteOptions

interface ClientBulkWriteOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    ordered?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    verboseResults?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+

false - documents will be validated by default

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
ordered?: boolean

If true, when an insert fails, don't execute the remaining writes. +If false, continue with remaining inserts when one fails.

+

true - inserts are ordered by default

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
verboseResults?: boolean

Whether detailed results for each successful operation should be included in the returned +BulkWriteResult.

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ClientBulkWriteResult.html b/docs/6.14/interfaces/ClientBulkWriteResult.html new file mode 100644 index 00000000000..1d207a4637a --- /dev/null +++ b/docs/6.14/interfaces/ClientBulkWriteResult.html @@ -0,0 +1,19 @@ +ClientBulkWriteResult | mongodb

Interface ClientBulkWriteResult

interface ClientBulkWriteResult {
    acknowledged: boolean;
    deletedCount: number;
    deleteResults?: ReadonlyMap<number, ClientDeleteResult>;
    insertedCount: number;
    insertResults?: ReadonlyMap<number, ClientInsertOneResult>;
    matchedCount: number;
    modifiedCount: number;
    updateResults?: ReadonlyMap<number, ClientUpdateResult>;
    upsertedCount: number;
}

Properties

acknowledged: boolean

Whether the bulk write was acknowledged.

+
deletedCount: number

The total number of documents deleted across all delete operations.

+
deleteResults?: ReadonlyMap<number, ClientDeleteResult>

The results of each individual delete operation that was successfully performed.

+
insertedCount: number

The total number of documents inserted across all insert operations.

+
insertResults?: ReadonlyMap<number, ClientInsertOneResult>

The results of each individual insert operation that was successfully performed.

+
matchedCount: number

The total number of documents matched across all update operations.

+
modifiedCount: number

The total number of documents modified across all update operations.

+
updateResults?: ReadonlyMap<number, ClientUpdateResult>

The results of each individual update operation that was successfully performed.

+
upsertedCount: number

The total number of documents upserted across all update operations.

+
diff --git a/docs/6.14/interfaces/ClientDeleteManyModel.html b/docs/6.14/interfaces/ClientDeleteManyModel.html new file mode 100644 index 00000000000..4f331c8b126 --- /dev/null +++ b/docs/6.14/interfaces/ClientDeleteManyModel.html @@ -0,0 +1,14 @@ +ClientDeleteManyModel | mongodb

Interface ClientDeleteManyModel<TSchema>

interface ClientDeleteManyModel<TSchema> {
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    name: "deleteMany";
    namespace: string;
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter used to determine if a document should be deleted. +For a deleteMany operation, all matches are removed.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
name: "deleteMany"
namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+
diff --git a/docs/6.14/interfaces/ClientDeleteOneModel.html b/docs/6.14/interfaces/ClientDeleteOneModel.html new file mode 100644 index 00000000000..71093f55aa7 --- /dev/null +++ b/docs/6.14/interfaces/ClientDeleteOneModel.html @@ -0,0 +1,14 @@ +ClientDeleteOneModel | mongodb

Interface ClientDeleteOneModel<TSchema>

interface ClientDeleteOneModel<TSchema> {
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    name: "deleteOne";
    namespace: string;
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter used to determine if a document should be deleted. +For a deleteOne operation, the first match is removed.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
name: "deleteOne"
namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+
diff --git a/docs/6.14/interfaces/ClientDeleteResult.html b/docs/6.14/interfaces/ClientDeleteResult.html new file mode 100644 index 00000000000..e8550efbe5a --- /dev/null +++ b/docs/6.14/interfaces/ClientDeleteResult.html @@ -0,0 +1,3 @@ +ClientDeleteResult | mongodb

Interface ClientDeleteResult

interface ClientDeleteResult {
    deletedCount: number;
}

Properties

Properties

deletedCount: number

The number of documents that were deleted.

+
diff --git a/docs/6.14/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html b/docs/6.14/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html new file mode 100644 index 00000000000..6c3f4336915 --- /dev/null +++ b/docs/6.14/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html @@ -0,0 +1,8 @@ +ClientEncryptionCreateDataKeyProviderOptions | mongodb

Interface ClientEncryptionCreateDataKeyProviderOptions

Options to provide when creating a new data key.

+
interface ClientEncryptionCreateDataKeyProviderOptions {
    keyAltNames?: string[];
    keyMaterial?: Buffer | Binary;
    masterKey?:
        | AWSEncryptionKeyOptions
        | AzureEncryptionKeyOptions
        | GCPEncryptionKeyOptions
        | KMIPEncryptionKeyOptions;
}

Properties

keyAltNames?: string[]

An optional list of string alternate names used to reference a key. +If a key is created with alternate names, then encryption may refer to the key by the unique alternate name instead of by _id.

+
keyMaterial?: Buffer | Binary

Identifies a new KMS-specific key used to encrypt the new data key

+
diff --git a/docs/6.14/interfaces/ClientEncryptionEncryptOptions.html b/docs/6.14/interfaces/ClientEncryptionEncryptOptions.html new file mode 100644 index 00000000000..5a803bef43f --- /dev/null +++ b/docs/6.14/interfaces/ClientEncryptionEncryptOptions.html @@ -0,0 +1,14 @@ +ClientEncryptionEncryptOptions | mongodb

Interface ClientEncryptionEncryptOptions

Options to provide when encrypting data.

+
interface ClientEncryptionEncryptOptions {
    algorithm:
        | "AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic"
        | "AEAD_AES_256_CBC_HMAC_SHA_512-Random"
        | "Indexed"
        | "Unindexed"
        | "Range";
    contentionFactor?: number | bigint;
    keyAltName?: string;
    keyId?: Binary;
    queryType?: "equality" | "range";
    rangeOptions?: RangeOptions;
}

Properties

algorithm:
    | "AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic"
    | "AEAD_AES_256_CBC_HMAC_SHA_512-Random"
    | "Indexed"
    | "Unindexed"
    | "Range"

The algorithm to use for encryption.

+
contentionFactor?: number | bigint

The contention factor.

+
keyAltName?: string

A unique string name corresponding to an already existing dataKey.

+
keyId?: Binary

The id of the Binary dataKey to use for encryption

+
queryType?: "equality" | "range"

The query type.

+
rangeOptions?: RangeOptions

The index options for a Queryable Encryption field supporting "range" queries.

+
diff --git a/docs/6.14/interfaces/ClientEncryptionOptions.html b/docs/6.14/interfaces/ClientEncryptionOptions.html new file mode 100644 index 00000000000..f7f94ab78c3 --- /dev/null +++ b/docs/6.14/interfaces/ClientEncryptionOptions.html @@ -0,0 +1,24 @@ +ClientEncryptionOptions | mongodb

Interface ClientEncryptionOptions

Additional settings to provide when creating a new ClientEncryption instance.

+
interface ClientEncryptionOptions {
    keyVaultClient?: MongoClient;
    keyVaultNamespace: string;
    kmsProviders?: KMSProviders;
    proxyOptions?: ProxyOptions;
    timeoutMS?: number;
    tlsOptions?: CSFLEKMSTlsOptions;
}

Properties

keyVaultClient?: MongoClient

A MongoClient used to fetch keys from a key vault. Defaults to client.

+
keyVaultNamespace: string

The namespace of the key vault, used to store encryption keys

+
kmsProviders?: KMSProviders

Options for specific KMS providers to use

+
proxyOptions?: ProxyOptions

Options for specifying a Socks5 proxy to use for connecting to the KMS.

+
timeoutMS?: number

The timeout setting to be used for all the operations on ClientEncryption.

+

When provided, timeoutMS is used as the timeout for each operation executed on +the ClientEncryption object. For example:

+
const clientEncryption = new ClientEncryption(client, {
timeoutMS: 1_000
kmsProviders: { local: { key: '<KEY>' } }
});

// `1_000` is used as the timeout for createDataKey call
await clientEncryption.createDataKey('local'); +
+ +

If timeoutMS is configured on the provided client, the client's timeoutMS value +will be used unless timeoutMS is also provided as a client encryption option.

+
const client = new MongoClient('<uri>', { timeoutMS: 2_000 });

// timeoutMS is set to 1_000 on clientEncryption
const clientEncryption = new ClientEncryption(client, {
timeoutMS: 1_000
kmsProviders: { local: { key: '<KEY>' } }
}); +
+ +
tlsOptions?: CSFLEKMSTlsOptions

TLS options for kms providers to use.

+
diff --git a/docs/6.14/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html b/docs/6.14/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html new file mode 100644 index 00000000000..d48c5899be0 --- /dev/null +++ b/docs/6.14/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html @@ -0,0 +1,3 @@ +ClientEncryptionRewrapManyDataKeyProviderOptions | mongodb

Interface ClientEncryptionRewrapManyDataKeyProviderOptionsExperimental

interface ClientEncryptionRewrapManyDataKeyProviderOptions {
    masterKey?:
        | AWSEncryptionKeyOptions
        | AzureEncryptionKeyOptions
        | GCPEncryptionKeyOptions
        | KMIPEncryptionKeyOptions;
    provider: keyof KMSProviders;
}

Properties

Properties

provider: keyof KMSProviders
diff --git a/docs/6.14/interfaces/ClientEncryptionRewrapManyDataKeyResult.html b/docs/6.14/interfaces/ClientEncryptionRewrapManyDataKeyResult.html new file mode 100644 index 00000000000..5c273b0841a --- /dev/null +++ b/docs/6.14/interfaces/ClientEncryptionRewrapManyDataKeyResult.html @@ -0,0 +1,3 @@ +ClientEncryptionRewrapManyDataKeyResult | mongodb

Interface ClientEncryptionRewrapManyDataKeyResultExperimental

interface ClientEncryptionRewrapManyDataKeyResult {
    bulkWriteResult?: BulkWriteResult;
}

Properties

Properties

bulkWriteResult?: BulkWriteResult

The result of rewrapping data keys. If unset, no keys matched the filter.

+
diff --git a/docs/6.14/interfaces/ClientInsertOneModel.html b/docs/6.14/interfaces/ClientInsertOneModel.html new file mode 100644 index 00000000000..60dde3d7a3d --- /dev/null +++ b/docs/6.14/interfaces/ClientInsertOneModel.html @@ -0,0 +1,9 @@ +ClientInsertOneModel | mongodb

Interface ClientInsertOneModel<TSchema>

interface ClientInsertOneModel<TSchema> {
    document: OptionalId<TSchema>;
    name: "insertOne";
    namespace: string;
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

Properties

document: OptionalId<TSchema>

The document to insert.

+
name: "insertOne"
namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+
diff --git a/docs/6.14/interfaces/ClientInsertOneResult.html b/docs/6.14/interfaces/ClientInsertOneResult.html new file mode 100644 index 00000000000..b154fc5646e --- /dev/null +++ b/docs/6.14/interfaces/ClientInsertOneResult.html @@ -0,0 +1,3 @@ +ClientInsertOneResult | mongodb

Interface ClientInsertOneResult

interface ClientInsertOneResult {
    insertedId: any;
}

Properties

Properties

insertedId: any

The _id of the inserted document.

+
diff --git a/docs/6.14/interfaces/ClientMetadata.html b/docs/6.14/interfaces/ClientMetadata.html new file mode 100644 index 00000000000..07f72baaccd --- /dev/null +++ b/docs/6.14/interfaces/ClientMetadata.html @@ -0,0 +1,8 @@ +ClientMetadata | mongodb

Interface ClientMetadata

interface ClientMetadata {
    application?: {
        name: string;
    };
    driver: {
        name: string;
        version: string;
    };
    env?: {
        memory_mb?: Int32;
        name:
            | "aws.lambda"
            | "gcp.func"
            | "azure.func"
            | "vercel";
        region?: string;
        timeout_sec?: Int32;
        url?: string;
    };
    os: {
        architecture?: string;
        name?: Platform;
        type: string;
        version?: string;
    };
    platform: string;
}

Properties

application?: {
    name: string;
}
driver: {
    name: string;
    version: string;
}
env?: {
    memory_mb?: Int32;
    name:
        | "aws.lambda"
        | "gcp.func"
        | "azure.func"
        | "vercel";
    region?: string;
    timeout_sec?: Int32;
    url?: string;
}

FaaS environment information

+
os: {
    architecture?: string;
    name?: Platform;
    type: string;
    version?: string;
}
platform: string
diff --git a/docs/6.14/interfaces/ClientMetadataOptions.html b/docs/6.14/interfaces/ClientMetadataOptions.html new file mode 100644 index 00000000000..f29b605bf77 --- /dev/null +++ b/docs/6.14/interfaces/ClientMetadataOptions.html @@ -0,0 +1,3 @@ +ClientMetadataOptions | mongodb

Interface ClientMetadataOptions

interface ClientMetadataOptions {
    appName?: string;
    driverInfo?: {
        name?: string;
        platform?: string;
        version?: string;
    };
}

Properties

Properties

appName?: string
driverInfo?: {
    name?: string;
    platform?: string;
    version?: string;
}
diff --git a/docs/6.14/interfaces/ClientReplaceOneModel.html b/docs/6.14/interfaces/ClientReplaceOneModel.html new file mode 100644 index 00000000000..c33e72e7ca0 --- /dev/null +++ b/docs/6.14/interfaces/ClientReplaceOneModel.html @@ -0,0 +1,18 @@ +ClientReplaceOneModel | mongodb

Interface ClientReplaceOneModel<TSchema>

interface ClientReplaceOneModel<TSchema> {
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    name: "replaceOne";
    namespace: string;
    replacement: WithoutId<TSchema>;
    upsert?: boolean;
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter used to determine if a document should be replaced. +For a replaceOne operation, the first match is replaced.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
name: "replaceOne"
namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+
replacement: WithoutId<TSchema>

The document with which to replace the matched document.

+
upsert?: boolean

When true, creates a new document if no document matches the query.

+
diff --git a/docs/6.14/interfaces/ClientSessionOptions.html b/docs/6.14/interfaces/ClientSessionOptions.html new file mode 100644 index 00000000000..a1e63d61e86 --- /dev/null +++ b/docs/6.14/interfaces/ClientSessionOptions.html @@ -0,0 +1,10 @@ +ClientSessionOptions | mongodb

Interface ClientSessionOptions

interface ClientSessionOptions {
    causalConsistency?: boolean;
    defaultTimeoutMS?: number;
    defaultTransactionOptions?: TransactionOptions;
    snapshot?: boolean;
}

Properties

causalConsistency?: boolean

Whether causal consistency should be enabled on this session

+
defaultTimeoutMS?: number

An overriding timeoutMS value to use for a client-side timeout. +If not provided the session uses the timeoutMS specified on the MongoClient.

+
defaultTransactionOptions?: TransactionOptions

The default TransactionOptions to use for transactions started on this session.

+
snapshot?: boolean

Whether all read operations should be read from the same snapshot for this session (NOTE: not compatible with causalConsistency=true)

+
diff --git a/docs/6.14/interfaces/ClientUpdateManyModel.html b/docs/6.14/interfaces/ClientUpdateManyModel.html new file mode 100644 index 00000000000..0584bbafc53 --- /dev/null +++ b/docs/6.14/interfaces/ClientUpdateManyModel.html @@ -0,0 +1,22 @@ +ClientUpdateManyModel | mongodb

Interface ClientUpdateManyModel<TSchema>

interface ClientUpdateManyModel<TSchema> {
    arrayFilters?: Document[];
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    name: "updateMany";
    namespace: string;
    update: Document[] | UpdateFilter<TSchema>;
    upsert?: boolean;
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

arrayFilters?: Document[]

A set of filters specifying to which array elements an update should apply.

+
collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter used to determine if a document should be updated. +For an updateMany operation, all matches are updated.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
name: "updateMany"
namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+

The modifications to apply. The value can be either: +UpdateFilter - A document that contains update operator expressions, +Document[] - an aggregation pipeline.

+
upsert?: boolean

When true, creates a new document if no document matches the query.

+
diff --git a/docs/6.14/interfaces/ClientUpdateOneModel.html b/docs/6.14/interfaces/ClientUpdateOneModel.html new file mode 100644 index 00000000000..09c37d6f44e --- /dev/null +++ b/docs/6.14/interfaces/ClientUpdateOneModel.html @@ -0,0 +1,22 @@ +ClientUpdateOneModel | mongodb

Interface ClientUpdateOneModel<TSchema>

interface ClientUpdateOneModel<TSchema> {
    arrayFilters?: Document[];
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    name: "updateOne";
    namespace: string;
    update: Document[] | UpdateFilter<TSchema>;
    upsert?: boolean;
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

arrayFilters?: Document[]

A set of filters specifying to which array elements an update should apply.

+
collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter used to determine if a document should be updated. +For an updateOne operation, the first match is updated.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
name: "updateOne"
namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+

The modifications to apply. The value can be either: +UpdateFilter - A document that contains update operator expressions, +Document[] - an aggregation pipeline.

+
upsert?: boolean

When true, creates a new document if no document matches the query.

+
diff --git a/docs/6.14/interfaces/ClientUpdateResult.html b/docs/6.14/interfaces/ClientUpdateResult.html new file mode 100644 index 00000000000..934362814b6 --- /dev/null +++ b/docs/6.14/interfaces/ClientUpdateResult.html @@ -0,0 +1,12 @@ +ClientUpdateResult | mongodb

Interface ClientUpdateResult

interface ClientUpdateResult {
    didUpsert: boolean;
    matchedCount: number;
    modifiedCount: number;
    upsertedId?: any;
}

Properties

didUpsert: boolean

Determines if the upsert did include an _id, which includes the case of the _id being null.

+
matchedCount: number

The number of documents that matched the filter.

+
modifiedCount: number

The number of documents that were modified.

+
upsertedId?: any

The _id field of the upserted document if an upsert occurred.

+

It MUST be possible to discern between a BSON Null upserted ID value and this field being +unset. If necessary, drivers MAY add a didUpsert boolean field to differentiate between +these two cases.

+
diff --git a/docs/6.14/interfaces/ClientWriteModel.html b/docs/6.14/interfaces/ClientWriteModel.html new file mode 100644 index 00000000000..d43dd53ae1b --- /dev/null +++ b/docs/6.14/interfaces/ClientWriteModel.html @@ -0,0 +1,6 @@ +ClientWriteModel | mongodb

Interface ClientWriteModel

interface ClientWriteModel {
    namespace: string;
}

Hierarchy (view full)

Properties

Properties

namespace: string

The namespace for the write.

+

A namespace is a combination of the database name and the name of the collection: <database-name>.<collection>. +All documents belong to a namespace.

+
diff --git a/docs/6.14/interfaces/CloseOptions.html b/docs/6.14/interfaces/CloseOptions.html new file mode 100644 index 00000000000..085c390be32 --- /dev/null +++ b/docs/6.14/interfaces/CloseOptions.html @@ -0,0 +1,4 @@ +CloseOptions | mongodb

Interface CloseOptions

This interface is deprecated and will be removed in a future release as it is not used +in the driver

+
interface CloseOptions {
    force?: boolean;
}

Properties

Properties

force?: boolean
diff --git a/docs/6.14/interfaces/ClusterTime.html b/docs/6.14/interfaces/ClusterTime.html new file mode 100644 index 00000000000..f4cadb741f9 --- /dev/null +++ b/docs/6.14/interfaces/ClusterTime.html @@ -0,0 +1,7 @@ +ClusterTime | mongodb

Interface ClusterTime

Gossiped in component for the cluster time tracking the state of user databases +across the cluster. It may optionally include a signature identifying the process that +generated such a value.

+
interface ClusterTime {
    clusterTime: Timestamp;
    signature?: {
        hash: Binary;
        keyId: Long;
    };
}

Properties

Properties

clusterTime: Timestamp
signature?: {
    hash: Binary;
    keyId: Long;
}

Used to validate the identity of a request or response's ClusterTime.

+
diff --git a/docs/6.14/interfaces/ClusteredCollectionOptions.html b/docs/6.14/interfaces/ClusteredCollectionOptions.html new file mode 100644 index 00000000000..f7e15aa772b --- /dev/null +++ b/docs/6.14/interfaces/ClusteredCollectionOptions.html @@ -0,0 +1,6 @@ +ClusteredCollectionOptions | mongodb

Interface ClusteredCollectionOptions

Configuration options for clustered collections

+
interface ClusteredCollectionOptions {
    key: Document;
    name?: string;
    unique: boolean;
}

Hierarchy (view full)

Properties

Properties

name?: string
unique: boolean
diff --git a/docs/6.14/interfaces/CollationOptions.html b/docs/6.14/interfaces/CollationOptions.html new file mode 100644 index 00000000000..e853ee7ca41 --- /dev/null +++ b/docs/6.14/interfaces/CollationOptions.html @@ -0,0 +1,10 @@ +CollationOptions | mongodb

Interface CollationOptions

interface CollationOptions {
    alternate?: string;
    backwards?: boolean;
    caseFirst?: string;
    caseLevel?: boolean;
    locale: string;
    maxVariable?: string;
    normalization?: boolean;
    numericOrdering?: boolean;
    strength?: number;
}

Properties

alternate?: string
backwards?: boolean
caseFirst?: string
caseLevel?: boolean
locale: string
maxVariable?: string
normalization?: boolean
numericOrdering?: boolean
strength?: number
diff --git a/docs/6.14/interfaces/CollectionInfo.html b/docs/6.14/interfaces/CollectionInfo.html new file mode 100644 index 00000000000..24bd0dc6c8a --- /dev/null +++ b/docs/6.14/interfaces/CollectionInfo.html @@ -0,0 +1,6 @@ +CollectionInfo | mongodb

Interface CollectionInfo

interface CollectionInfo {
    idIndex?: Document;
    info?: {
        readOnly?: false;
        uuid?: Binary;
    };
    name: string;
    options?: Document;
    type?: string;
}

Hierarchy (view full)

Properties

Properties

idIndex?: Document
info?: {
    readOnly?: false;
    uuid?: Binary;
}
name: string
options?: Document
type?: string
diff --git a/docs/6.14/interfaces/CollectionOptions.html b/docs/6.14/interfaces/CollectionOptions.html new file mode 100644 index 00000000000..96df785c87d --- /dev/null +++ b/docs/6.14/interfaces/CollectionOptions.html @@ -0,0 +1,51 @@ +CollectionOptions | mongodb

Interface CollectionOptions

interface CollectionOptions {
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    enableUtf8Validation?: boolean;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    serializeFunctions?: boolean;
    timeoutMS?: number;
    useBigInt64?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/CommandOperationOptions.html b/docs/6.14/interfaces/CommandOperationOptions.html new file mode 100644 index 00000000000..03f5183fd40 --- /dev/null +++ b/docs/6.14/interfaces/CommandOperationOptions.html @@ -0,0 +1,71 @@ +CommandOperationOptions | mongodb

Interface CommandOperationOptions

interface CommandOperationOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ConnectOptions.html b/docs/6.14/interfaces/ConnectOptions.html new file mode 100644 index 00000000000..a27500533ad --- /dev/null +++ b/docs/6.14/interfaces/ConnectOptions.html @@ -0,0 +1,2 @@ +ConnectOptions | mongodb

Interface ConnectOptions

interface ConnectOptions {
    readPreference?: ReadPreference;
}

Properties

Properties

readPreference?: ReadPreference
diff --git a/docs/6.14/interfaces/ConnectionOptions.html b/docs/6.14/interfaces/ConnectionOptions.html new file mode 100644 index 00000000000..2470c6b8340 --- /dev/null +++ b/docs/6.14/interfaces/ConnectionOptions.html @@ -0,0 +1,125 @@ +ConnectionOptions | mongodb

Interface ConnectionOptions

interface ConnectionOptions {
    allowPartialTrustChain?: boolean;
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
    autoSelectFamily?: boolean;
    autoSelectFamilyAttemptTimeout?: number;
    ca?: string | Buffer | (string | Buffer)[];
    cancellationToken?: CancellationToken;
    cert?: string | Buffer | (string | Buffer)[];
    checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
    ciphers?: string;
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[];
    connectTimeoutMS?: number;
    credentials?: MongoCredentials;
    crl?: string | Buffer | (string | Buffer)[];
    ecdhCurve?: string;
    family?: number;
    generation: number;
    hints?: number;
    hostAddress: HostAddress;
    id: number | "<monitor>";
    key?: string | Buffer | (string | Buffer | KeyObject)[];
    loadBalanced: boolean;
    localAddress?: string;
    localPort?: number;
    logicalSessionTimeoutMinutes?: number;
    lookup?: LookupFunction;
    metadata: ClientMetadata;
    minDHSize?: number;
    monitorCommands: boolean;
    noDelay?: boolean;
    passphrase?: string;
    pfx?: string | Buffer | (string | Buffer | PxfObject)[];
    proxyHost?: string;
    proxyPassword?: string;
    proxyPort?: number;
    proxyUsername?: string;
    rejectUnauthorized?: boolean;
    secureContext?: SecureContext;
    secureProtocol?: string;
    serverApi?: ServerApi;
    servername?: string;
    session?: Buffer;
    socketTimeoutMS?: number;
    tls: boolean;
}

Hierarchy (view full)

Properties

allowPartialTrustChain?: boolean

Treat intermediate (non-self-signed) +certificates in the trust CA certificate list as trusted.

+

v22.9.0, v20.18.0

+
ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

An array of strings or a Buffer naming possible ALPN protocols. +(Protocols should be ordered by their priority.)

+
autoSelectFamily?: boolean

v18.13.0

+
autoSelectFamilyAttemptTimeout?: number

v18.13.0

+
ca?: string | Buffer | (string | Buffer)[]

Optionally override the trusted CA certificates. Default is to trust +the well-known CAs curated by Mozilla. Mozilla's CAs are completely +replaced when CAs are explicitly specified using this option.

+
cancellationToken?: CancellationToken
cert?: string | Buffer | (string | Buffer)[]

Cert chains in PEM format. One cert chain should be provided per +private key. Each cert chain should consist of the PEM formatted +certificate for a provided private key, followed by the PEM +formatted intermediate certificates (if any), in order, and not +including the root CA (the root CA must be pre-known to the peer, +see ca). When providing multiple cert chains, they do not have to +be in the same order as their private keys in key. If the +intermediate certificates are not provided, the peer will not be +able to validate the certificate, and the handshake will fail.

+
checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined)

Type declaration

    • (hostname, cert): Error | undefined
    • Verifies the certificate cert is issued to hostname.

      +

      Returns Error object, populating it with reason, host, and cert on +failure. On success, returns undefined.

      +

      This function is intended to be used in combination with thecheckServerIdentity option that can be passed to connect and as +such operates on a certificate object. For other purposes, consider using x509.checkHost() instead.

      +

      This function can be overwritten by providing an alternative function as the options.checkServerIdentity option that is passed to tls.connect(). The +overwriting function can call tls.checkServerIdentity() of course, to augment +the checks done with additional verification.

      +

      This function is only called if the certificate passed all other checks, such as +being issued by trusted CA (options.ca).

      +

      Earlier versions of Node.js incorrectly accepted certificates for a givenhostname if a matching uniformResourceIdentifier subject alternative name +was present (see CVE-2021-44531). Applications that wish to acceptuniformResourceIdentifier subject alternative names can use +a custom options.checkServerIdentity function that implements the desired behavior.

      +

      Parameters

      • hostname: string

        The host name or IP address to verify the certificate against.

        +
      • cert: PeerCertificate

        A certificate object representing the peer's certificate.

        +

      Returns Error | undefined

      v0.8.4

      +
ciphers?: string

Cipher suite specification, replacing the default. For more +information, see modifying the default cipher suite. Permitted +ciphers can be obtained via tls.getCiphers(). Cipher names must be +uppercased in order for OpenSSL to accept them.

+
compressors?: (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]
connectTimeoutMS?: number
credentials?: MongoCredentials
crl?: string | Buffer | (string | Buffer)[]

PEM formatted CRLs (Certificate Revocation Lists).

+
ecdhCurve?: string

A string describing a named curve or a colon separated list of curve +NIDs or names, for example P-521:P-384:P-256, to use for ECDH key +agreement. Set to auto to select the curve automatically. Use +crypto.getCurves() to obtain a list of available curve names. On +recent releases, openssl ecparam -list_curves will also display the +name and description of each available elliptic curve. Default: +tls.DEFAULT_ECDH_CURVE.

+
family?: number
generation: number
hints?: number
hostAddress: HostAddress
id: number | "<monitor>"
key?: string | Buffer | (string | Buffer | KeyObject)[]

Private keys in PEM format. PEM allows the option of private keys +being encrypted. Encrypted keys will be decrypted with +options.passphrase. Multiple keys using different algorithms can be +provided either as an array of unencrypted key strings or buffers, +or an array of objects in the form {pem: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted keys will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
loadBalanced: boolean
localAddress?: string
localPort?: number
logicalSessionTimeoutMinutes?: number
lookup?: LookupFunction
metadata: ClientMetadata
minDHSize?: number
monitorCommands: boolean
noDelay?: boolean
passphrase?: string

Shared passphrase used for a single private key and/or a PFX.

+
pfx?: string | Buffer | (string | Buffer | PxfObject)[]

PFX or PKCS12 encoded private key and certificate chain. pfx is an +alternative to providing key and cert individually. PFX is usually +encrypted, if it is, passphrase will be used to decrypt it. Multiple +PFX can be provided either as an array of unencrypted PFX buffers, +or an array of objects in the form {buf: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted PFX will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
proxyHost?: string
proxyPassword?: string
proxyPort?: number
proxyUsername?: string
rejectUnauthorized?: boolean

If true the server will reject any connection which is not +authorized with the list of supplied CAs. This option only has an +effect if requestCert is true.

+
true
+
+ +
secureContext?: SecureContext

An optional TLS context object from tls.createSecureContext()

+
secureProtocol?: string

Legacy mechanism to select the TLS protocol version to use, it does +not support independent control of the minimum and maximum version, +and does not support limiting the protocol to TLSv1.3. Use +minVersion and maxVersion instead. The possible values are listed as +SSL_METHODS, use the function names as strings. For example, use +'TLSv1_1_method' to force TLS version 1.1, or 'TLS_method' to allow +any TLS protocol version up to TLSv1.3. It is not recommended to use +TLS versions less than 1.2, but it may be required for +interoperability. Default: none, see minVersion.

+
serverApi?: ServerApi
servername?: string
session?: Buffer

An optional Buffer instance containing a TLS session.

+
socketTimeoutMS?: number
tls: boolean
diff --git a/docs/6.14/interfaces/ConnectionPoolOptions.html b/docs/6.14/interfaces/ConnectionPoolOptions.html new file mode 100644 index 00000000000..54563e6ef1d --- /dev/null +++ b/docs/6.14/interfaces/ConnectionPoolOptions.html @@ -0,0 +1,134 @@ +ConnectionPoolOptions | mongodb

Interface ConnectionPoolOptions

interface ConnectionPoolOptions {
    allowPartialTrustChain?: boolean;
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
    autoSelectFamily?: boolean;
    autoSelectFamilyAttemptTimeout?: number;
    ca?: string | Buffer | (string | Buffer)[];
    cancellationToken?: CancellationToken;
    cert?: string | Buffer | (string | Buffer)[];
    checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
    ciphers?: string;
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[];
    connectTimeoutMS?: number;
    credentials?: MongoCredentials;
    crl?: string | Buffer | (string | Buffer)[];
    ecdhCurve?: string;
    family?: number;
    hints?: number;
    hostAddress: HostAddress;
    key?: string | Buffer | (string | Buffer | KeyObject)[];
    loadBalanced: boolean;
    localAddress?: string;
    localPort?: number;
    logicalSessionTimeoutMinutes?: number;
    lookup?: LookupFunction;
    maxConnecting: number;
    maxIdleTimeMS: number;
    maxPoolSize: number;
    metadata: ClientMetadata;
    minDHSize?: number;
    minPoolSize: number;
    monitorCommands: boolean;
    noDelay?: boolean;
    passphrase?: string;
    pfx?: string | Buffer | (string | Buffer | PxfObject)[];
    proxyHost?: string;
    proxyPassword?: string;
    proxyPort?: number;
    proxyUsername?: string;
    rejectUnauthorized?: boolean;
    secureContext?: SecureContext;
    secureProtocol?: string;
    serverApi?: ServerApi;
    servername?: string;
    session?: Buffer;
    socketTimeoutMS?: number;
    tls: boolean;
    waitQueueTimeoutMS: number;
}

Hierarchy

Properties

allowPartialTrustChain?: boolean

Treat intermediate (non-self-signed) +certificates in the trust CA certificate list as trusted.

+

v22.9.0, v20.18.0

+
ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

An array of strings or a Buffer naming possible ALPN protocols. +(Protocols should be ordered by their priority.)

+
autoSelectFamily?: boolean

v18.13.0

+
autoSelectFamilyAttemptTimeout?: number

v18.13.0

+
ca?: string | Buffer | (string | Buffer)[]

Optionally override the trusted CA certificates. Default is to trust +the well-known CAs curated by Mozilla. Mozilla's CAs are completely +replaced when CAs are explicitly specified using this option.

+
cancellationToken?: CancellationToken
cert?: string | Buffer | (string | Buffer)[]

Cert chains in PEM format. One cert chain should be provided per +private key. Each cert chain should consist of the PEM formatted +certificate for a provided private key, followed by the PEM +formatted intermediate certificates (if any), in order, and not +including the root CA (the root CA must be pre-known to the peer, +see ca). When providing multiple cert chains, they do not have to +be in the same order as their private keys in key. If the +intermediate certificates are not provided, the peer will not be +able to validate the certificate, and the handshake will fail.

+
checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined)

Type declaration

    • (hostname, cert): Error | undefined
    • Verifies the certificate cert is issued to hostname.

      +

      Returns Error object, populating it with reason, host, and cert on +failure. On success, returns undefined.

      +

      This function is intended to be used in combination with thecheckServerIdentity option that can be passed to connect and as +such operates on a certificate object. For other purposes, consider using x509.checkHost() instead.

      +

      This function can be overwritten by providing an alternative function as the options.checkServerIdentity option that is passed to tls.connect(). The +overwriting function can call tls.checkServerIdentity() of course, to augment +the checks done with additional verification.

      +

      This function is only called if the certificate passed all other checks, such as +being issued by trusted CA (options.ca).

      +

      Earlier versions of Node.js incorrectly accepted certificates for a givenhostname if a matching uniformResourceIdentifier subject alternative name +was present (see CVE-2021-44531). Applications that wish to acceptuniformResourceIdentifier subject alternative names can use +a custom options.checkServerIdentity function that implements the desired behavior.

      +

      Parameters

      • hostname: string

        The host name or IP address to verify the certificate against.

        +
      • cert: PeerCertificate

        A certificate object representing the peer's certificate.

        +

      Returns Error | undefined

      v0.8.4

      +
ciphers?: string

Cipher suite specification, replacing the default. For more +information, see modifying the default cipher suite. Permitted +ciphers can be obtained via tls.getCiphers(). Cipher names must be +uppercased in order for OpenSSL to accept them.

+
compressors?: (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]
connectTimeoutMS?: number
credentials?: MongoCredentials
crl?: string | Buffer | (string | Buffer)[]

PEM formatted CRLs (Certificate Revocation Lists).

+
ecdhCurve?: string

A string describing a named curve or a colon separated list of curve +NIDs or names, for example P-521:P-384:P-256, to use for ECDH key +agreement. Set to auto to select the curve automatically. Use +crypto.getCurves() to obtain a list of available curve names. On +recent releases, openssl ecparam -list_curves will also display the +name and description of each available elliptic curve. Default: +tls.DEFAULT_ECDH_CURVE.

+
family?: number
hints?: number
hostAddress: HostAddress
key?: string | Buffer | (string | Buffer | KeyObject)[]

Private keys in PEM format. PEM allows the option of private keys +being encrypted. Encrypted keys will be decrypted with +options.passphrase. Multiple keys using different algorithms can be +provided either as an array of unencrypted key strings or buffers, +or an array of objects in the form {pem: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted keys will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
loadBalanced: boolean

If we are in load balancer mode.

+
localAddress?: string
localPort?: number
logicalSessionTimeoutMinutes?: number
lookup?: LookupFunction
maxConnecting: number

The maximum number of connections that may be in the process of being established concurrently by the connection pool.

+
maxIdleTimeMS: number

The maximum amount of time a connection should remain idle in the connection pool before being marked idle.

+
maxPoolSize: number

The maximum number of connections that may be associated with a pool at a given time. This includes in use and available connections.

+
metadata: ClientMetadata
minDHSize?: number
minPoolSize: number

The minimum number of connections that MUST exist at any moment in a single connection pool.

+
monitorCommands: boolean
noDelay?: boolean
passphrase?: string

Shared passphrase used for a single private key and/or a PFX.

+
pfx?: string | Buffer | (string | Buffer | PxfObject)[]

PFX or PKCS12 encoded private key and certificate chain. pfx is an +alternative to providing key and cert individually. PFX is usually +encrypted, if it is, passphrase will be used to decrypt it. Multiple +PFX can be provided either as an array of unencrypted PFX buffers, +or an array of objects in the form {buf: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted PFX will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
proxyHost?: string
proxyPassword?: string
proxyPort?: number
proxyUsername?: string
rejectUnauthorized?: boolean

If true the server will reject any connection which is not +authorized with the list of supplied CAs. This option only has an +effect if requestCert is true.

+
true
+
+ +
secureContext?: SecureContext

An optional TLS context object from tls.createSecureContext()

+
secureProtocol?: string

Legacy mechanism to select the TLS protocol version to use, it does +not support independent control of the minimum and maximum version, +and does not support limiting the protocol to TLSv1.3. Use +minVersion and maxVersion instead. The possible values are listed as +SSL_METHODS, use the function names as strings. For example, use +'TLSv1_1_method' to force TLS version 1.1, or 'TLS_method' to allow +any TLS protocol version up to TLSv1.3. It is not recommended to use +TLS versions less than 1.2, but it may be required for +interoperability. Default: none, see minVersion.

+
serverApi?: ServerApi
servername?: string
session?: Buffer

An optional Buffer instance containing a TLS session.

+
socketTimeoutMS?: number
tls: boolean
waitQueueTimeoutMS: number

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.

+
diff --git a/docs/6.14/interfaces/CountDocumentsOptions.html b/docs/6.14/interfaces/CountDocumentsOptions.html new file mode 100644 index 00000000000..161b4034f55 --- /dev/null +++ b/docs/6.14/interfaces/CountDocumentsOptions.html @@ -0,0 +1,92 @@ +CountDocumentsOptions | mongodb

Interface CountDocumentsOptions

interface CountDocumentsOptions {
    allowDiskUse?: boolean;
    authdb?: string;
    batchSize?: number;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    cursor?: Document;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Hint;
    ignoreUndefined?: boolean;
    let?: Document;
    limit?: number;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    out?: string;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    skip?: number;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

allowDiskUse?: boolean

allowDiskUse lets the server know if it can use disk to store temporary results for the aggregation (requires mongodb 2.6 >).

+
authdb?: string
batchSize?: number

The number of documents to return per batch. See aggregation documentation.

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specify collation.

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
cursor?: Document

Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+

This API is deprecated in favor of collection.aggregate().explain() +or db.aggregate().explain().

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Hint

Add an index selection hint to an aggregation command

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
limit?: number

The maximum amount of documents to consider.

+
maxAwaitTimeMS?: number

The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query.

+
maxTimeMS?: number

Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

+
noResponse?: boolean
omitReadPreference?: boolean
out?: string
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
skip?: number

The number of documents to skip.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/CountOptions.html b/docs/6.14/interfaces/CountOptions.html new file mode 100644 index 00000000000..c9fecd374a9 --- /dev/null +++ b/docs/6.14/interfaces/CountOptions.html @@ -0,0 +1,77 @@ +CountOptions | mongodb

Interface CountOptions

interface CountOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: string | Document;
    ignoreUndefined?: boolean;
    limit?: number;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    skip?: number;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: string | Document

An index name hint for the query.

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
limit?: number

The maximum amounts to count before aborting.

+
maxTimeMS?: number

Number of milliseconds to wait before aborting the query.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
skip?: number

The number of documents to skip.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/CreateCollectionOptions.html b/docs/6.14/interfaces/CreateCollectionOptions.html new file mode 100644 index 00000000000..8c43e7562bb --- /dev/null +++ b/docs/6.14/interfaces/CreateCollectionOptions.html @@ -0,0 +1,107 @@ +CreateCollectionOptions | mongodb

Interface CreateCollectionOptions

interface CreateCollectionOptions {
    authdb?: string;
    autoIndexId?: boolean;
    bsonRegExp?: boolean;
    capped?: boolean;
    changeStreamPreAndPostImages?: {
        enabled: boolean;
    };
    checkKeys?: boolean;
    clusteredIndex?: ClusteredCollectionOptions;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    encryptedFields?: Document;
    expireAfterSeconds?: number;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    flags?: number;
    ignoreUndefined?: boolean;
    indexOptionDefaults?: Document;
    max?: number;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    pipeline?: Document[];
    pkFactory?: PkFactory;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    size?: number;
    storageEngine?: Document;
    timeoutMS?: number;
    timeseries?: TimeSeriesCollectionOptions;
    useBigInt64?: boolean;
    validationAction?: string;
    validationLevel?: string;
    validator?: Document;
    viewOn?: string;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
autoIndexId?: boolean

Create an index on the _id field of the document. This option is deprecated in MongoDB 3.2+ and will be removed once no longer supported by the server.

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
capped?: boolean

Create a capped collection

+
changeStreamPreAndPostImages?: {
    enabled: boolean;
}

If set, enables pre-update and post-update document events to be included for any +change streams that listen on this collection.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+

A document specifying configuration options for clustered collections. For MongoDB 5.3 and above.

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
encryptedFields?: Document
expireAfterSeconds?: number

The number of seconds after which a document in a timeseries or clustered collection expires.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
flags?: number

Available for the MMAPv1 storage engine only to set the usePowerOf2Sizes and the noPadding flag

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
indexOptionDefaults?: Document

Allows users to specify a default configuration for indexes when creating a collection

+
max?: number

The maximum number of documents in the capped collection

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
pipeline?: Document[]

An array that consists of the aggregation pipeline stage. Creates the view by applying the specified pipeline to the viewOn collection or view

+
pkFactory?: PkFactory

A primary key factory function for generation of custom _id keys.

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
size?: number

The size of the capped collection in bytes

+
storageEngine?: Document

Allows users to specify configuration to the storage engine on a per-collection basis when creating a collection

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+

A document specifying configuration options for timeseries collections.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
validationAction?: string

Determines whether to error on invalid documents or just warn about the violations but allow invalid documents to be inserted

+
validationLevel?: string

Determines how strictly MongoDB applies the validation rules to existing documents during an update

+
validator?: Document

Allows users to specify validation rules or expressions for the collection. For more information, see Document Validation

+
viewOn?: string

The name of the source collection or view from which to create the view. The name is not the full namespace of the collection or view (i.e., does not include the database name and implies the same database as the view to create)

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/CreateIndexesOptions.html b/docs/6.14/interfaces/CreateIndexesOptions.html new file mode 100644 index 00000000000..4a21f2d4c8a --- /dev/null +++ b/docs/6.14/interfaces/CreateIndexesOptions.html @@ -0,0 +1,101 @@ +CreateIndexesOptions | mongodb

Interface CreateIndexesOptions

interface CreateIndexesOptions {
    2dsphereIndexVersion?: number;
    authdb?: string;
    background?: boolean;
    bits?: number;
    bsonRegExp?: boolean;
    bucketSize?: number;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    commitQuorum?: string | number;
    dbName?: string;
    default_language?: string;
    enableUtf8Validation?: boolean;
    expireAfterSeconds?: number;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hidden?: boolean;
    ignoreUndefined?: boolean;
    language_override?: string;
    max?: number;
    maxTimeMS?: number;
    min?: number;
    name?: string;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    partialFilterExpression?: Document;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    sparse?: boolean;
    storageEngine?: Document;
    textIndexVersion?: number;
    timeoutMS?: number;
    unique?: boolean;
    useBigInt64?: boolean;
    version?: number;
    weights?: Document;
    wildcardProjection?: Document;
    willRetryWrite?: boolean;
}

Hierarchy

Properties

2dsphereIndexVersion?: number
authdb?: string
background?: boolean

Creates the index in the background, yielding whenever possible.

+
bits?: number
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bucketSize?: number
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
commitQuorum?: string | number

(MongoDB 4.4. or higher) Specifies how many data-bearing members of a replica set, including the primary, must complete the index builds successfully before the primary marks the indexes as ready. This option accepts the same values for the "w" field in a write concern plus "votingMembers", which indicates all voting data-bearing nodes.

+
dbName?: string
default_language?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
expireAfterSeconds?: number

Allows you to expire data on indexes applied to a data (MongoDB 2.2 or higher)

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hidden?: boolean

Specifies that the index should exist on the target collection but should not be used by the query planner when executing operations. (MongoDB 4.4 or higher)

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
language_override?: string
max?: number

For geospatial indexes set the high bound for the co-ordinates.

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
min?: number

For geospatial indexes set the lower bound for the co-ordinates.

+
name?: string

Override the autogenerated index name (useful if the resulting name is larger than 128 bytes)

+
noResponse?: boolean
omitReadPreference?: boolean
partialFilterExpression?: Document

Creates a partial index based on the given filter object (MongoDB 3.2 or higher)

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
sparse?: boolean

Creates a sparse index.

+
storageEngine?: Document

Allows users to configure the storage engine on a per-index basis when creating an index. (MongoDB 3.0 or higher)

+
textIndexVersion?: number
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
unique?: boolean

Creates an unique index.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
version?: number

Specifies the index version number, either 0 or 1.

+
weights?: Document
wildcardProjection?: Document
willRetryWrite?: boolean
diff --git a/docs/6.14/interfaces/CursorStreamOptions.html b/docs/6.14/interfaces/CursorStreamOptions.html new file mode 100644 index 00000000000..dbf93d4df0e --- /dev/null +++ b/docs/6.14/interfaces/CursorStreamOptions.html @@ -0,0 +1,3 @@ +CursorStreamOptions | mongodb

Interface CursorStreamOptions

interface CursorStreamOptions {
    transform?(this: void, doc: Document): Document;
}

Methods

Methods

diff --git a/docs/6.14/interfaces/DataKey.html b/docs/6.14/interfaces/DataKey.html new file mode 100644 index 00000000000..53822a33de5 --- /dev/null +++ b/docs/6.14/interfaces/DataKey.html @@ -0,0 +1,10 @@ +DataKey | mongodb

Interface DataKey

The schema for a DataKey in the key vault collection.

+
interface DataKey {
    _id: UUID;
    creationDate: Date;
    keyAltNames?: string[];
    keyMaterial: Binary;
    masterKey: Document;
    status: number;
    updateDate: Date;
    version?: number;
}

Properties

_id: UUID
creationDate: Date
keyAltNames?: string[]
keyMaterial: Binary
masterKey: Document
status: number
updateDate: Date
version?: number
diff --git a/docs/6.14/interfaces/DbOptions.html b/docs/6.14/interfaces/DbOptions.html new file mode 100644 index 00000000000..dcc2cc456dd --- /dev/null +++ b/docs/6.14/interfaces/DbOptions.html @@ -0,0 +1,59 @@ +DbOptions | mongodb

Interface DbOptions

interface DbOptions {
    authSource?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    enableUtf8Validation?: boolean;
    fieldsAsRaw?: Document;
    forceServerObjectId?: boolean;
    ignoreUndefined?: boolean;
    pkFactory?: PkFactory;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcern;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    timeoutMS?: number;
    useBigInt64?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authSource?: string

If the database authentication is dependent on another databaseName.

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
forceServerObjectId?: boolean

Force server to assign _id values instead of driver.

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
pkFactory?: PkFactory

A primary key factory object for generation of custom _id keys.

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcern

Specify a read concern for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/DbStatsOptions.html b/docs/6.14/interfaces/DbStatsOptions.html new file mode 100644 index 00000000000..3fc1de32cd0 --- /dev/null +++ b/docs/6.14/interfaces/DbStatsOptions.html @@ -0,0 +1,73 @@ +DbStatsOptions | mongodb

Interface DbStatsOptions

interface DbStatsOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    scale?: number;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
scale?: number

Divide the returned sizes by scale value.

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/DeleteManyModel.html b/docs/6.14/interfaces/DeleteManyModel.html new file mode 100644 index 00000000000..d40c4fee3ae --- /dev/null +++ b/docs/6.14/interfaces/DeleteManyModel.html @@ -0,0 +1,7 @@ +DeleteManyModel | mongodb

Interface DeleteManyModel<TSchema>

interface DeleteManyModel<TSchema> {
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
}

Type Parameters

Properties

Properties

collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter to limit the deleted documents.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
diff --git a/docs/6.14/interfaces/DeleteOneModel.html b/docs/6.14/interfaces/DeleteOneModel.html new file mode 100644 index 00000000000..544c0ccd57c --- /dev/null +++ b/docs/6.14/interfaces/DeleteOneModel.html @@ -0,0 +1,7 @@ +DeleteOneModel | mongodb

Interface DeleteOneModel<TSchema>

interface DeleteOneModel<TSchema> {
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
}

Type Parameters

Properties

Properties

collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter to limit the deleted documents.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
diff --git a/docs/6.14/interfaces/DeleteOptions.html b/docs/6.14/interfaces/DeleteOptions.html new file mode 100644 index 00000000000..cd416ef8415 --- /dev/null +++ b/docs/6.14/interfaces/DeleteOptions.html @@ -0,0 +1,77 @@ +DeleteOptions | mongodb

Interface DeleteOptions

interface DeleteOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: string | Document;
    ignoreUndefined?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    ordered?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specifies the collation to use for the operation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: string | Document

Specify that the update query should only consider plans using the hinted index

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
ordered?: boolean

If true, when an insert fails, don't execute the remaining writes. If false, continue with remaining inserts when one fails.

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/DeleteResult.html b/docs/6.14/interfaces/DeleteResult.html new file mode 100644 index 00000000000..3d49ece7d6e --- /dev/null +++ b/docs/6.14/interfaces/DeleteResult.html @@ -0,0 +1,5 @@ +DeleteResult | mongodb

Interface DeleteResult

interface DeleteResult {
    acknowledged: boolean;
    deletedCount: number;
}

Properties

acknowledged: boolean

Indicates whether this write result was acknowledged. If not, then all other members of this result will be undefined.

+
deletedCount: number

The number of documents that were deleted

+
diff --git a/docs/6.14/interfaces/DeleteStatement.html b/docs/6.14/interfaces/DeleteStatement.html new file mode 100644 index 00000000000..23e26c931bc --- /dev/null +++ b/docs/6.14/interfaces/DeleteStatement.html @@ -0,0 +1,9 @@ +DeleteStatement | mongodb

Interface DeleteStatement

interface DeleteStatement {
    collation?: CollationOptions;
    hint?: Hint;
    limit: number;
    q: Document;
}

Properties

Properties

collation?: CollationOptions

Specifies the collation to use for the operation.

+
hint?: Hint

A document or string that specifies the index to use to support the query predicate.

+
limit: number

The number of matching documents to delete.

+

The query that matches documents to delete.

+
diff --git a/docs/6.14/interfaces/DriverInfo.html b/docs/6.14/interfaces/DriverInfo.html new file mode 100644 index 00000000000..b4fb1d8ce9c --- /dev/null +++ b/docs/6.14/interfaces/DriverInfo.html @@ -0,0 +1,4 @@ +DriverInfo | mongodb

Interface DriverInfo

interface DriverInfo {
    name?: string;
    platform?: string;
    version?: string;
}

Properties

Properties

name?: string
platform?: string
version?: string
diff --git a/docs/6.14/interfaces/DropCollectionOptions.html b/docs/6.14/interfaces/DropCollectionOptions.html new file mode 100644 index 00000000000..7d1a1773ea7 --- /dev/null +++ b/docs/6.14/interfaces/DropCollectionOptions.html @@ -0,0 +1,72 @@ +DropCollectionOptions | mongodb

Interface DropCollectionOptions

interface DropCollectionOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    encryptedFields?: Document;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
encryptedFields?: Document

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/EndSessionOptions.html b/docs/6.14/interfaces/EndSessionOptions.html new file mode 100644 index 00000000000..5a1276e60d5 --- /dev/null +++ b/docs/6.14/interfaces/EndSessionOptions.html @@ -0,0 +1,5 @@ +EndSessionOptions | mongodb

Interface EndSessionOptions

interface EndSessionOptions {
    force?: boolean;
    forceClear?: boolean;
    timeoutMS?: number;
}

Properties

force?: boolean
forceClear?: boolean
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
diff --git a/docs/6.14/interfaces/ErrorDescription.html b/docs/6.14/interfaces/ErrorDescription.html new file mode 100644 index 00000000000..4e5ef9214db --- /dev/null +++ b/docs/6.14/interfaces/ErrorDescription.html @@ -0,0 +1,6 @@ +ErrorDescription | mongodb

Interface ErrorDescription

interface ErrorDescription {
    $err?: string;
    errInfo?: Document;
    errmsg?: string;
    errorLabels?: string[];
    message?: string;
}

Hierarchy (view full)

Properties

$err?: string
errInfo?: Document
errmsg?: string
errorLabels?: string[]
message?: string
diff --git a/docs/6.14/interfaces/EstimatedDocumentCountOptions.html b/docs/6.14/interfaces/EstimatedDocumentCountOptions.html new file mode 100644 index 00000000000..c666136124e --- /dev/null +++ b/docs/6.14/interfaces/EstimatedDocumentCountOptions.html @@ -0,0 +1,72 @@ +EstimatedDocumentCountOptions | mongodb

Interface EstimatedDocumentCountOptions

interface EstimatedDocumentCountOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

The maximum amount of time to allow the operation to run.

+

This option is sent only if the caller explicitly provides a value. The default is to not send a value.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ExplainCommandOptions.html b/docs/6.14/interfaces/ExplainCommandOptions.html new file mode 100644 index 00000000000..6befd140b08 --- /dev/null +++ b/docs/6.14/interfaces/ExplainCommandOptions.html @@ -0,0 +1,5 @@ +ExplainCommandOptions | mongodb

Interface ExplainCommandOptions

interface ExplainCommandOptions {
    maxTimeMS?: number;
    verbosity: string;
}

Properties

Properties

maxTimeMS?: number

The maxTimeMS setting for the command.

+
verbosity: string

The explain verbosity for the command.

+
diff --git a/docs/6.14/interfaces/ExplainOptions.html b/docs/6.14/interfaces/ExplainOptions.html new file mode 100644 index 00000000000..de4ba53d263 --- /dev/null +++ b/docs/6.14/interfaces/ExplainOptions.html @@ -0,0 +1,15 @@ +ExplainOptions | mongodb

Interface ExplainOptions

When set, this configures an explain command. Valid values are boolean (for legacy compatibility, +see ExplainVerbosityLike), a string containing the explain verbosity, or an object containing the verbosity and +an optional maxTimeMS.

+

Examples of valid usage:

+
collection.find({ name: 'john doe' }, { explain: true });
collection.find({ name: 'john doe' }, { explain: false });
collection.find({ name: 'john doe' }, { explain: 'queryPlanner' });
collection.find({ name: 'john doe' }, { explain: { verbosity: 'queryPlanner' } }); +
+ +

maxTimeMS can be configured to limit the amount of time the server +spends executing an explain by providing an object:

+
// limits the `explain` command to no more than 2 seconds
collection.find({ name: 'john doe' }, {
explain: {
verbosity: 'queryPlanner',
maxTimeMS: 2000
}
}); +
+ +
interface ExplainOptions {
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
}

Hierarchy (view full)

Properties

Properties

Specifies the verbosity mode for the explain output.

+
diff --git a/docs/6.14/interfaces/FilterOperators.html b/docs/6.14/interfaces/FilterOperators.html new file mode 100644 index 00000000000..f5d65db33de --- /dev/null +++ b/docs/6.14/interfaces/FilterOperators.html @@ -0,0 +1,35 @@ +FilterOperators | mongodb

Interface FilterOperators<TValue>

interface FilterOperators<TValue> {
    __id?: undefined;
    $all?: readonly any[];
    $bitsAllClear?: BitwiseFilter;
    $bitsAllSet?: BitwiseFilter;
    $bitsAnyClear?: BitwiseFilter;
    $bitsAnySet?: BitwiseFilter;
    $elemMatch?: Document;
    $eq?: TValue;
    $exists?: boolean;
    $expr?: Record<string, any>;
    $geoIntersects?: {
        $geometry: Document;
    };
    $geoWithin?: Document;
    $gt?: TValue;
    $gte?: TValue;
    $in?: readonly TValue[];
    $jsonSchema?: Record<string, any>;
    $lt?: TValue;
    $lte?: TValue;
    $maxDistance?: number;
    $mod?: TValue extends number
        ? [number, number]
        : never;
    $ne?: TValue;
    $near?: Document;
    $nearSphere?: Document;
    $nin?: readonly TValue[];
    $not?: TValue extends string
        ? RegExp | FilterOperators<TValue<TValue>>
        : FilterOperators<TValue>;
    $options?: TValue extends string
        ? string
        : never;
    $rand?: Record<string, never>;
    $regex?: TValue extends string
        ? string | RegExp | BSONRegExp
        : never;
    $size?: TValue extends readonly any[]
        ? number
        : never;
    $type?:
        | "string"
        | "symbol"
        | "undefined"
        | "object"
        | "double"
        | "array"
        | "binData"
        | "objectId"
        | "bool"
        | "date"
        | "null"
        | "regex"
        | "dbPointer"
        | "javascript"
        | "javascriptWithScope"
        | "int"
        | "timestamp"
        | "long"
        | "decimal"
        | "minKey"
        | "maxKey"
        | BSON.BSONType;
    id?: undefined;
    toHexString?: any;
}

Type Parameters

  • TValue

Hierarchy (view full)

Properties

__id?: undefined
$all?: readonly any[]
$bitsAllClear?: BitwiseFilter
$bitsAllSet?: BitwiseFilter
$bitsAnyClear?: BitwiseFilter
$bitsAnySet?: BitwiseFilter
$elemMatch?: Document
$eq?: TValue
$exists?: boolean

When true, $exists matches the documents that contain the field, +including documents where the field value is null.

+
$expr?: Record<string, any>
$geoIntersects?: {
    $geometry: Document;
}
$geoWithin?: Document
$gt?: TValue
$gte?: TValue
$in?: readonly TValue[]
$jsonSchema?: Record<string, any>
$lt?: TValue
$lte?: TValue
$maxDistance?: number
$mod?: TValue extends number
    ? [number, number]
    : never
$ne?: TValue
$near?: Document
$nearSphere?: Document
$nin?: readonly TValue[]
$not?: TValue extends string
    ? RegExp | FilterOperators<TValue<TValue>>
    : FilterOperators<TValue>
$options?: TValue extends string
    ? string
    : never
$rand?: Record<string, never>
$regex?: TValue extends string
    ? string | RegExp | BSONRegExp
    : never
$size?: TValue extends readonly any[]
    ? number
    : never
$type?:
    | "string"
    | "symbol"
    | "undefined"
    | "object"
    | "double"
    | "array"
    | "binData"
    | "objectId"
    | "bool"
    | "date"
    | "null"
    | "regex"
    | "dbPointer"
    | "javascript"
    | "javascriptWithScope"
    | "int"
    | "timestamp"
    | "long"
    | "decimal"
    | "minKey"
    | "maxKey"
    | BSON.BSONType
id?: undefined

Methods

toHexString
diff --git a/docs/6.14/interfaces/FindOneAndDeleteOptions.html b/docs/6.14/interfaces/FindOneAndDeleteOptions.html new file mode 100644 index 00000000000..0e16e700b1f --- /dev/null +++ b/docs/6.14/interfaces/FindOneAndDeleteOptions.html @@ -0,0 +1,81 @@ +FindOneAndDeleteOptions | mongodb

Interface FindOneAndDeleteOptions

interface FindOneAndDeleteOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Document;
    ignoreUndefined?: boolean;
    includeResultMetadata?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    projection?: Document;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    sort?: Sort;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Document

An optional hint for query optimization. See the command reference for more information.

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
includeResultMetadata?: boolean

Return the ModifyResult instead of the modified document. Defaults to false

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
projection?: Document

Limits the fields to return for all matching documents.

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
sort?: Sort

Determines which document the operation modifies if the query selects multiple documents.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/FindOneAndReplaceOptions.html b/docs/6.14/interfaces/FindOneAndReplaceOptions.html new file mode 100644 index 00000000000..0c355cb2678 --- /dev/null +++ b/docs/6.14/interfaces/FindOneAndReplaceOptions.html @@ -0,0 +1,87 @@ +FindOneAndReplaceOptions | mongodb

Interface FindOneAndReplaceOptions

interface FindOneAndReplaceOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Document;
    ignoreUndefined?: boolean;
    includeResultMetadata?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    projection?: Document;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    returnDocument?: ReturnDocument;
    serializeFunctions?: boolean;
    session?: ClientSession;
    sort?: Sort;
    timeoutMS?: number;
    upsert?: boolean;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Document

An optional hint for query optimization. See the command reference for more information.

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
includeResultMetadata?: boolean

Return the ModifyResult instead of the modified document. Defaults to false

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
projection?: Document

Limits the fields to return for all matching documents.

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
returnDocument?: ReturnDocument

When set to 'after', returns the updated document rather than the original. The default is 'before'.

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
sort?: Sort

Determines which document the operation modifies if the query selects multiple documents.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
upsert?: boolean

Upsert the document if it does not exist.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/FindOneAndUpdateOptions.html b/docs/6.14/interfaces/FindOneAndUpdateOptions.html new file mode 100644 index 00000000000..4e8ca7e8150 --- /dev/null +++ b/docs/6.14/interfaces/FindOneAndUpdateOptions.html @@ -0,0 +1,89 @@ +FindOneAndUpdateOptions | mongodb

Interface FindOneAndUpdateOptions

interface FindOneAndUpdateOptions {
    arrayFilters?: Document[];
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Document;
    ignoreUndefined?: boolean;
    includeResultMetadata?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    projection?: Document;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    returnDocument?: ReturnDocument;
    serializeFunctions?: boolean;
    session?: ClientSession;
    sort?: Sort;
    timeoutMS?: number;
    upsert?: boolean;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

arrayFilters?: Document[]

Optional list of array filters referenced in filtered positional operators

+
authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Document

An optional hint for query optimization. See the command reference for more information.

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
includeResultMetadata?: boolean

Return the ModifyResult instead of the modified document. Defaults to false

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
projection?: Document

Limits the fields to return for all matching documents.

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
returnDocument?: ReturnDocument

When set to 'after', returns the updated document rather than the original. The default is 'before'.

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
sort?: Sort

Determines which document the operation modifies if the query selects multiple documents.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
upsert?: boolean

Upsert the document if it does not exist.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/FindOptions.html b/docs/6.14/interfaces/FindOptions.html new file mode 100644 index 00000000000..31c1b8ba798 --- /dev/null +++ b/docs/6.14/interfaces/FindOptions.html @@ -0,0 +1,112 @@ +FindOptions | mongodb

Interface FindOptions<TSchema>

interface FindOptions<TSchema> {
    allowDiskUse?: boolean;
    allowPartialResults?: boolean;
    authdb?: string;
    awaitData?: boolean;
    batchSize?: number;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Hint;
    ignoreUndefined?: boolean;
    let?: Document;
    limit?: number;
    max?: Document;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    min?: Document;
    noCursorTimeout?: boolean;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    oplogReplay?: boolean;
    projection?: Document;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    returnKey?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    showRecordId?: boolean;
    singleBatch?: boolean;
    skip?: number;
    sort?: Sort;
    tailable?: boolean;
    timeout?: boolean;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
}

Type Parameters

  • TSchema extends Document = Document

    Unused schema definition, deprecated usage, only specify FindOptions with no generic

    +

Hierarchy (view full)

Properties

allowDiskUse?: boolean

Allows disk use for blocking sort operations exceeding 100MB memory. (MongoDB 3.2 or higher)

+
allowPartialResults?: boolean

For queries against a sharded collection, allows the command (or subsequent getMore commands) to return partial results, rather than an error, if one or more queried shards are unavailable.

+
authdb?: string
awaitData?: boolean

Specify if the cursor is a tailable-await cursor. Requires tailable to be true

+
batchSize?: number

Set the batchSize for the getMoreCommand when iterating over the query results.

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specify collation (MongoDB 3.4 or higher) settings for update operation (see 3.4 documentation for available fields).

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+

This API is deprecated in favor of collection.find().explain().

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Hint

Tell the query to use specific indexes in the query. Object of indexes to use, {'_id':1}

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
limit?: number

Sets the limit of documents returned in the query.

+
max?: Document

The exclusive upper bound for a specific index

+
maxAwaitTimeMS?: number

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

+
maxTimeMS?: number

Number of milliseconds to wait before aborting the query.

+
min?: Document

The inclusive lower bound for a specific index

+
noCursorTimeout?: boolean

The server normally times out idle cursors after an inactivity period (10 minutes) to prevent excess memory use. Set this option to prevent that.

+
noResponse?: boolean
omitReadPreference?: boolean
oplogReplay?: boolean

Option to enable an optimized code path for queries looking for a particular range of ts values in the oplog. Requires tailable to be true.

+

Starting from MongoDB 4.4 this flag is not needed and will be ignored.

+
projection?: Document

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}

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
returnKey?: boolean

If true, returns only the index keys in the resulting documents.

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
showRecordId?: boolean

Determines whether to return the record identifier for each document. If true, adds a field $recordId to the returned documents.

+
singleBatch?: boolean

Determines whether to close the cursor after the first batch. Defaults to false.

+
skip?: number

Set to skip N documents ahead in your query (useful for pagination).

+
sort?: Sort

Set to sort the documents coming back from the query. Array of indexes, [['a', 1]] etc.

+
tailable?: boolean

Specify if the cursor is tailable.

+
timeout?: boolean

Specify if the cursor can timeout.

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean
diff --git a/docs/6.14/interfaces/GCPEncryptionKeyOptions.html b/docs/6.14/interfaces/GCPEncryptionKeyOptions.html new file mode 100644 index 00000000000..82ce2dd5146 --- /dev/null +++ b/docs/6.14/interfaces/GCPEncryptionKeyOptions.html @@ -0,0 +1,14 @@ +GCPEncryptionKeyOptions | mongodb

Interface GCPEncryptionKeyOptions

Configuration options for making an AWS encryption key

+
interface GCPEncryptionKeyOptions {
    endpoint?: string;
    keyName: string;
    keyRing: string;
    keyVersion?: string;
    location: string;
    projectId: string;
}

Properties

endpoint?: string

KMS URL, defaults to https://www.googleapis.com/auth/cloudkms

+
keyName: string

Key name

+
keyRing: string

Key ring name

+
keyVersion?: string

Key version

+
location: string

Location name (e.g. "global")

+
projectId: string

GCP project ID

+
diff --git a/docs/6.14/interfaces/GridFSBucketOptions.html b/docs/6.14/interfaces/GridFSBucketOptions.html new file mode 100644 index 00000000000..edecd2f968e --- /dev/null +++ b/docs/6.14/interfaces/GridFSBucketOptions.html @@ -0,0 +1,12 @@ +GridFSBucketOptions | mongodb

Interface GridFSBucketOptions

interface GridFSBucketOptions {
    bucketName?: string;
    chunkSizeBytes?: number;
    readPreference?: ReadPreference;
    timeoutMS?: number;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

bucketName?: string

The 'files' and 'chunks' collections will be prefixed with the bucket name followed by a dot.

+
chunkSizeBytes?: number

Number of bytes stored in each chunk. Defaults to 255KB

+
readPreference?: ReadPreference

Read preference to be passed to read operations

+
timeoutMS?: number

Specifies the lifetime duration of a gridFS stream. If any async operations are in progress +when this timeout expires, the stream will throw a timeout error.

+

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/GridFSBucketReadStreamOptions.html b/docs/6.14/interfaces/GridFSBucketReadStreamOptions.html new file mode 100644 index 00000000000..a0b0078c28f --- /dev/null +++ b/docs/6.14/interfaces/GridFSBucketReadStreamOptions.html @@ -0,0 +1,10 @@ +GridFSBucketReadStreamOptions | mongodb

Interface GridFSBucketReadStreamOptions

interface GridFSBucketReadStreamOptions {
    end?: number;
    skip?: number;
    sort?: Sort;
    start?: number;
    timeoutMS?: number;
}

Hierarchy (view full)

Properties

Properties

end?: number

0-indexed non-negative byte offset to the end of the file contents +to be returned by the stream. end is non-inclusive

+
skip?: number
sort?: Sort
start?: number

0-indexed non-negative byte offset from the beginning of the file

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
diff --git a/docs/6.14/interfaces/GridFSBucketReadStreamOptionsWithRevision.html b/docs/6.14/interfaces/GridFSBucketReadStreamOptionsWithRevision.html new file mode 100644 index 00000000000..f43ea88b4a4 --- /dev/null +++ b/docs/6.14/interfaces/GridFSBucketReadStreamOptionsWithRevision.html @@ -0,0 +1,14 @@ +GridFSBucketReadStreamOptionsWithRevision | mongodb

Interface GridFSBucketReadStreamOptionsWithRevision

interface GridFSBucketReadStreamOptionsWithRevision {
    end?: number;
    revision?: number;
    skip?: number;
    sort?: Sort;
    start?: number;
    timeoutMS?: number;
}

Hierarchy (view full)

Properties

end?: number

0-indexed non-negative byte offset to the end of the file contents +to be returned by the stream. end is non-inclusive

+
revision?: number

The revision number relative to the oldest file with the given filename. 0 +gets you the oldest file, 1 gets you the 2nd oldest, -1 gets you the +newest.

+
skip?: number
sort?: Sort
start?: number

0-indexed non-negative byte offset from the beginning of the file

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
diff --git a/docs/6.14/interfaces/GridFSBucketWriteStreamOptions.html b/docs/6.14/interfaces/GridFSBucketWriteStreamOptions.html new file mode 100644 index 00000000000..65682d1ef67 --- /dev/null +++ b/docs/6.14/interfaces/GridFSBucketWriteStreamOptions.html @@ -0,0 +1,17 @@ +GridFSBucketWriteStreamOptions | mongodb

Interface GridFSBucketWriteStreamOptions

interface GridFSBucketWriteStreamOptions {
    aliases?: string[];
    chunkSizeBytes?: number;
    contentType?: string;
    id?: ObjectId;
    metadata?: Document;
    timeoutMS?: number;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

aliases?: string[]

Array of strings to store in the file document's aliases field.

+

Will be removed in the next major version. Add an aliases field to the metadata document instead.

+
chunkSizeBytes?: number

Overwrite this bucket's chunkSizeBytes for this file

+
contentType?: string

String to store in the file document's contentType field.

+

Will be removed in the next major version. Add a contentType field to the metadata document instead.

+

Custom file id for the GridFS file.

+
metadata?: Document

Object to store in the file document's metadata field

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/GridFSChunk.html b/docs/6.14/interfaces/GridFSChunk.html new file mode 100644 index 00000000000..52e0ea37dea --- /dev/null +++ b/docs/6.14/interfaces/GridFSChunk.html @@ -0,0 +1,5 @@ +GridFSChunk | mongodb

Interface GridFSChunk

interface GridFSChunk {
    _id: ObjectId;
    data: Uint8Array | Buffer;
    files_id: ObjectId;
    n: number;
}

Properties

Properties

data: Uint8Array | Buffer
files_id: ObjectId
n: number
diff --git a/docs/6.14/interfaces/GridFSFile.html b/docs/6.14/interfaces/GridFSFile.html new file mode 100644 index 00000000000..7b6b1dff14f --- /dev/null +++ b/docs/6.14/interfaces/GridFSFile.html @@ -0,0 +1,11 @@ +GridFSFile | mongodb

Interface GridFSFile

interface GridFSFile {
    _id: ObjectId;
    aliases?: string[];
    chunkSize: number;
    contentType?: string;
    filename: string;
    length: number;
    metadata?: Document;
    uploadDate: Date;
}

Properties

aliases?: string[]

Will be removed in the next major version.

+
chunkSize: number
contentType?: string

Will be removed in the next major version.

+
filename: string
length: number
metadata?: Document
uploadDate: Date
diff --git a/docs/6.14/interfaces/HedgeOptions.html b/docs/6.14/interfaces/HedgeOptions.html new file mode 100644 index 00000000000..86416cc6ff7 --- /dev/null +++ b/docs/6.14/interfaces/HedgeOptions.html @@ -0,0 +1,3 @@ +HedgeOptions | mongodb

Interface HedgeOptions

interface HedgeOptions {
    enabled?: boolean;
}

Properties

Properties

enabled?: boolean

Explicitly enable or disable hedged reads.

+
diff --git a/docs/6.14/interfaces/IdPInfo.html b/docs/6.14/interfaces/IdPInfo.html new file mode 100644 index 00000000000..0b2af3e69a6 --- /dev/null +++ b/docs/6.14/interfaces/IdPInfo.html @@ -0,0 +1,10 @@ +IdPInfo | mongodb

Interface IdPInfo

The information returned by the server on the IDP server.

+
interface IdPInfo {
    clientId: string;
    issuer: string;
    requestScopes?: string[];
}

Properties

clientId: string

A unique client ID for this OIDC client.

+
issuer: string

A URL which describes the Authentication Server. This identifier should +be the iss of provided access tokens, and be viable for RFC8414 metadata +discovery and RFC9207 identification.

+
requestScopes?: string[]

A list of additional scopes to request from IdP.

+
diff --git a/docs/6.14/interfaces/IdPServerResponse.html b/docs/6.14/interfaces/IdPServerResponse.html new file mode 100644 index 00000000000..47f33c2fba4 --- /dev/null +++ b/docs/6.14/interfaces/IdPServerResponse.html @@ -0,0 +1,9 @@ +IdPServerResponse | mongodb

Interface IdPServerResponse

The response from the IdP server with the access token and +optional expiration time and refresh token.

+
interface IdPServerResponse {
    accessToken: string;
    expiresInSeconds?: number;
    refreshToken?: string;
}

Properties

accessToken: string

The OIDC access token.

+
expiresInSeconds?: number

The time when the access token expires. For future use.

+
refreshToken?: string

The refresh token, if applicable, to be used by the callback to request a new token from the issuer.

+
diff --git a/docs/6.14/interfaces/IndexDescription.html b/docs/6.14/interfaces/IndexDescription.html new file mode 100644 index 00000000000..c8ce1314e8a --- /dev/null +++ b/docs/6.14/interfaces/IndexDescription.html @@ -0,0 +1,32 @@ +IndexDescription | mongodb

Interface IndexDescription

interface IndexDescription {
    2dsphereIndexVersion?: number;
    background?: boolean;
    bits?: number;
    bucketSize?: number;
    collation?: CollationOptions;
    default_language?: string;
    expireAfterSeconds?: number;
    hidden?: boolean;
    key: {
        [key: string]: IndexDirection;
    } | Map<string, IndexDirection>;
    language_override?: string;
    max?: number;
    min?: number;
    name?: string;
    partialFilterExpression?: Document;
    sparse?: boolean;
    storageEngine?: Document;
    textIndexVersion?: number;
    unique?: boolean;
    version?: number;
    weights?: Document;
    wildcardProjection?: Document;
}

Hierarchy

  • Pick<CreateIndexesOptions,
        | "background"
        | "unique"
        | "partialFilterExpression"
        | "sparse"
        | "hidden"
        | "expireAfterSeconds"
        | "storageEngine"
        | "version"
        | "weights"
        | "default_language"
        | "language_override"
        | "textIndexVersion"
        | "2dsphereIndexVersion"
        | "bits"
        | "min"
        | "max"
        | "bucketSize"
        | "wildcardProjection">
    • IndexDescription

Properties

2dsphereIndexVersion?: number
background?: boolean

Creates the index in the background, yielding whenever possible.

+
bits?: number
bucketSize?: number
collation?: CollationOptions
default_language?: string
expireAfterSeconds?: number

Allows you to expire data on indexes applied to a data (MongoDB 2.2 or higher)

+
hidden?: boolean

Specifies that the index should exist on the target collection but should not be used by the query planner when executing operations. (MongoDB 4.4 or higher)

+
key: {
    [key: string]: IndexDirection;
} | Map<string, IndexDirection>
language_override?: string
max?: number

For geospatial indexes set the high bound for the co-ordinates.

+
min?: number

For geospatial indexes set the lower bound for the co-ordinates.

+
name?: string
partialFilterExpression?: Document

Creates a partial index based on the given filter object (MongoDB 3.2 or higher)

+
sparse?: boolean

Creates a sparse index.

+
storageEngine?: Document

Allows users to configure the storage engine on a per-index basis when creating an index. (MongoDB 3.0 or higher)

+
textIndexVersion?: number
unique?: boolean

Creates an unique index.

+
version?: number

Specifies the index version number, either 0 or 1.

+
weights?: Document
wildcardProjection?: Document
diff --git a/docs/6.14/interfaces/IndexInformationOptions.html b/docs/6.14/interfaces/IndexInformationOptions.html new file mode 100644 index 00000000000..2d29e6621c8 --- /dev/null +++ b/docs/6.14/interfaces/IndexInformationOptions.html @@ -0,0 +1,99 @@ +IndexInformationOptions | mongodb

Interface IndexInformationOptions

interface IndexInformationOptions {
    awaitData?: boolean;
    batchSize?: number;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    comment?: unknown;
    enableUtf8Validation?: boolean;
    fieldsAsRaw?: Document;
    full?: boolean;
    ignoreUndefined?: boolean;
    maxAwaitTimeMS?: number;
    maxTimeMS?: number;
    noCursorTimeout?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    serializeFunctions?: boolean;
    session?: ClientSession;
    tailable?: boolean;
    timeoutMode?: CursorTimeoutMode;
    timeoutMS?: number;
    useBigInt64?: boolean;
}

Hierarchy (view full)

Properties

awaitData?: boolean

If awaitData is set to true, when the cursor reaches the end of the capped collection, +MongoDB blocks the query thread for a period of time waiting for new data to arrive. +When new data is inserted into the capped collection, the blocked thread is signaled +to wake up and return the next batch to the client.

+
batchSize?: number

Specifies the number of documents to return in each response from MongoDB

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
full?: boolean

When true, an array of index descriptions is returned. +When false, the driver returns an object that with keys corresponding to index names with values +corresponding to the entries of the indexes' key.

+

For example, the given the following indexes:

+
[ { name: 'a_1', key: { a: 1 } }, { name: 'b_1_c_1' , key: { b: 1, c: 1 } }]
+
+ +

When full is true, the above array is returned. When full is false, the following is returned:

+
{
'a_1': [['a', 1]],
'b_1_c_1': [['b', 1], ['c', 1]],
} +
+ +
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxAwaitTimeMS?: number

When applicable maxAwaitTimeMS controls the amount of time subsequent getMores +that a cursor uses to fetch more data should take. (ex. cursor.next())

+
maxTimeMS?: number

When applicable maxTimeMS controls the amount of time the initial command +that constructs a cursor should take. (ex. find, aggregate, listCollections)

+
noCursorTimeout?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike
readPreference?: ReadPreferenceLike
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession
tailable?: boolean

By default, MongoDB will automatically close a cursor when the +client has exhausted all results in the cursor. However, for capped collections +you may use a Tailable Cursor that remains open after the client exhausts +the results in the initial cursor.

+
timeoutMode?: CursorTimeoutMode

Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +When set to 'iteration', the deadline specified by timeoutMS applies to each call of +cursor.next(). +When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

+

Depending on the type of cursor being used, this option has different default values. +For non-tailable cursors, this value defaults to 'cursorLifetime' +For tailable cursors, this value defaults to 'iteration' since tailable cursors, by +definition can have an arbitrarily long lifetime.

+
const cursor = collection.find({}, {timeoutMS: 100, timeoutMode: 'iteration'});
for await (const doc of cursor) {
// process doc
// This will throw a timeout error if any of the iterator's `next()` calls takes more than 100ms, but
// will continue to iterate successfully otherwise, regardless of the number of batches.
} +
+ +
const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms. +
+ +
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
diff --git a/docs/6.14/interfaces/InsertManyResult.html b/docs/6.14/interfaces/InsertManyResult.html new file mode 100644 index 00000000000..db01a1f5391 --- /dev/null +++ b/docs/6.14/interfaces/InsertManyResult.html @@ -0,0 +1,7 @@ +InsertManyResult | mongodb

Interface InsertManyResult<TSchema>

interface InsertManyResult<TSchema> {
    acknowledged: boolean;
    insertedCount: number;
    insertedIds: {
        [key: number]: InferIdType<TSchema>;
    };
}

Type Parameters

Properties

acknowledged: boolean

Indicates whether this write result was acknowledged. If not, then all other members of this result will be undefined

+
insertedCount: number

The number of inserted documents for this operations

+
insertedIds: {
    [key: number]: InferIdType<TSchema>;
}

Map of the index of the inserted document to the id of the inserted document

+
diff --git a/docs/6.14/interfaces/InsertOneModel.html b/docs/6.14/interfaces/InsertOneModel.html new file mode 100644 index 00000000000..1bedbb44996 --- /dev/null +++ b/docs/6.14/interfaces/InsertOneModel.html @@ -0,0 +1,3 @@ +InsertOneModel | mongodb

Interface InsertOneModel<TSchema>

interface InsertOneModel<TSchema> {
    document: OptionalId<TSchema>;
}

Type Parameters

Properties

Properties

document: OptionalId<TSchema>

The document to insert.

+
diff --git a/docs/6.14/interfaces/InsertOneOptions.html b/docs/6.14/interfaces/InsertOneOptions.html new file mode 100644 index 00000000000..125774eb0e2 --- /dev/null +++ b/docs/6.14/interfaces/InsertOneOptions.html @@ -0,0 +1,75 @@ +InsertOneOptions | mongodb

Interface InsertOneOptions

interface InsertOneOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    forceServerObjectId?: boolean;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

Allow driver to bypass schema validation.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
forceServerObjectId?: boolean

Force server to assign _id values instead of driver.

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/InsertOneResult.html b/docs/6.14/interfaces/InsertOneResult.html new file mode 100644 index 00000000000..7587afaeca0 --- /dev/null +++ b/docs/6.14/interfaces/InsertOneResult.html @@ -0,0 +1,5 @@ +InsertOneResult | mongodb

Interface InsertOneResult<TSchema>

interface InsertOneResult<TSchema> {
    acknowledged: boolean;
    insertedId: InferIdType<TSchema>;
}

Type Parameters

Properties

acknowledged: boolean

Indicates whether this write result was acknowledged. If not, then all other members of this result will be undefined

+
insertedId: InferIdType<TSchema>

The identifier that was inserted. If the server generated the identifier, this value will be null as the driver does not have access to that data

+
diff --git a/docs/6.14/interfaces/KMIPEncryptionKeyOptions.html b/docs/6.14/interfaces/KMIPEncryptionKeyOptions.html new file mode 100644 index 00000000000..73a98e63843 --- /dev/null +++ b/docs/6.14/interfaces/KMIPEncryptionKeyOptions.html @@ -0,0 +1,10 @@ +KMIPEncryptionKeyOptions | mongodb

Interface KMIPEncryptionKeyOptions

Configuration options for making a KMIP encryption key

+
interface KMIPEncryptionKeyOptions {
    delegated?: boolean;
    endpoint?: string;
    keyId?: string;
}

Properties

delegated?: boolean

If true, this key should be decrypted by the KMIP server.

+

Requires mongodb-client-encryption>=6.0.1.

+
endpoint?: string

Host with optional port.

+
keyId?: string

keyId is the KMIP Unique Identifier to a 96 byte KMIP Secret Data managed object.

+

If keyId is omitted, a random 96 byte KMIP Secret Data managed object will be created.

+
diff --git a/docs/6.14/interfaces/KMIPKMSProviderConfiguration.html b/docs/6.14/interfaces/KMIPKMSProviderConfiguration.html new file mode 100644 index 00000000000..f1f46b87770 --- /dev/null +++ b/docs/6.14/interfaces/KMIPKMSProviderConfiguration.html @@ -0,0 +1,5 @@ +KMIPKMSProviderConfiguration | mongodb

Interface KMIPKMSProviderConfiguration

interface KMIPKMSProviderConfiguration {
    endpoint?: string;
}

Properties

Properties

endpoint?: string

The output endpoint string. +The endpoint consists of a hostname and port separated by a colon. +E.g. "example.com:123". A port is always present.

+
diff --git a/docs/6.14/interfaces/KMSProviders.html b/docs/6.14/interfaces/KMSProviders.html new file mode 100644 index 00000000000..daa2f3c7245 --- /dev/null +++ b/docs/6.14/interfaces/KMSProviders.html @@ -0,0 +1,13 @@ +KMSProviders | mongodb

Interface KMSProviders

Configuration options that are used by specific KMS providers during key generation, encryption, and decryption.

+

Named KMS providers are not supported for automatic KMS credential fetching.

+
interface KMSProviders {
    aws?: AWSKMSProviderConfiguration | Record<string, never>;
    azure?: AzureKMSProviderConfiguration | Record<string, never>;
    gcp?: GCPKMSProviderConfiguration | Record<string, never>;
    kmip?: KMIPKMSProviderConfiguration;
    local?: LocalKMSProviderConfiguration;
    [key: `aws:${string}`]: AWSKMSProviderConfiguration;
    [key: `local:${string}`]: LocalKMSProviderConfiguration;
    [key: `kmip:${string}`]: KMIPKMSProviderConfiguration;
    [key: `azure:${string}`]: AzureKMSProviderConfiguration;
    [key: `gcp:${string}`]: GCPKMSProviderConfiguration;
}

Indexable

Properties

Properties

aws?: AWSKMSProviderConfiguration | Record<string, never>

Configuration options for using 'aws' as your KMS provider

+
azure?: AzureKMSProviderConfiguration | Record<string, never>

Configuration options for using 'azure' as your KMS provider

+
gcp?: GCPKMSProviderConfiguration | Record<string, never>

Configuration options for using 'gcp' as your KMS provider

+

Configuration options for using 'kmip' as your KMS provider

+

Configuration options for using 'local' as your KMS provider

+
diff --git a/docs/6.14/interfaces/ListCollectionsOptions.html b/docs/6.14/interfaces/ListCollectionsOptions.html new file mode 100644 index 00000000000..085562afede --- /dev/null +++ b/docs/6.14/interfaces/ListCollectionsOptions.html @@ -0,0 +1,88 @@ +ListCollectionsOptions | mongodb

Interface ListCollectionsOptions

interface ListCollectionsOptions {
    authdb?: string;
    authorizedCollections?: boolean;
    batchSize?: number;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    nameOnly?: boolean;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    signal?: AbortSignal;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
}

Hierarchy (view full)

Properties

authdb?: string
authorizedCollections?: boolean

Since 4.0: If true and nameOnly is true, allows a user without the required privilege (i.e. listCollections action on the database) to run the command when access control is enforced.

+
batchSize?: number

The batchSize for the returned command cursor or if pre 2.8 the systems batch collection

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
nameOnly?: boolean

Since 4.0: If true, will only return the collection name in the response, and will omit additional info

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
signal?: AbortSignal

When provided, the corresponding AbortController can be used to abort an asynchronous action.

+

The signal.reason value is used as the error thrown.

+

NOTE: If an abort signal aborts an operation while the driver is writing to the underlying +socket or reading the response from the server, the socket will be closed. +If signals are aborted at a high rate during socket read/writes this can lead to a high rate of connection reestablishment.

+

We plan to mitigate this in a future release, please follow NODE-6062 (timeoutMS expiration suffers the same limitation).

+

AbortSignals are likely a best fit for human interactive interruption (ex. ctrl-C) where the frequency +of cancellation is reasonably low. If a signal is programmatically aborted for 100s of operations you can empty +the driver's connection pool.

+
const controller = new AbortController();
const { signal } = controller;
process.on('SIGINT', () => controller.abort(new Error('^C pressed')));

try {
const res = await fetch('...', { signal });
await collection.findOne(await res.json(), { signal });
catch (error) {
if (error === signal.reason) {
// signal abort error handling
}
} +
+ +
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean
diff --git a/docs/6.14/interfaces/ListDatabasesOptions.html b/docs/6.14/interfaces/ListDatabasesOptions.html new file mode 100644 index 00000000000..fc52d3e073d --- /dev/null +++ b/docs/6.14/interfaces/ListDatabasesOptions.html @@ -0,0 +1,77 @@ +ListDatabasesOptions | mongodb

Interface ListDatabasesOptions

interface ListDatabasesOptions {
    authdb?: string;
    authorizedDatabases?: boolean;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    filter?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    nameOnly?: boolean;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
authorizedDatabases?: boolean

A flag that determines which databases are returned based on the user privileges when access control is enabled

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
filter?: Document

A query predicate that determines which databases are listed

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
nameOnly?: boolean

A flag to indicate whether the command should return just the database names, or return both database names and size information

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ListDatabasesResult.html b/docs/6.14/interfaces/ListDatabasesResult.html new file mode 100644 index 00000000000..57cd3fc0141 --- /dev/null +++ b/docs/6.14/interfaces/ListDatabasesResult.html @@ -0,0 +1,5 @@ +ListDatabasesResult | mongodb

Interface ListDatabasesResult

interface ListDatabasesResult {
    databases: ({
        empty?: boolean;
        name: string;
        sizeOnDisk?: number;
    } & Document)[];
    ok: 0 | 1;
    totalSize?: number;
    totalSizeMb?: number;
}

Properties

databases: ({
    empty?: boolean;
    name: string;
    sizeOnDisk?: number;
} & Document)[]
ok: 0 | 1
totalSize?: number
totalSizeMb?: number
diff --git a/docs/6.14/interfaces/LocalKMSProviderConfiguration.html b/docs/6.14/interfaces/LocalKMSProviderConfiguration.html new file mode 100644 index 00000000000..b685643cadc --- /dev/null +++ b/docs/6.14/interfaces/LocalKMSProviderConfiguration.html @@ -0,0 +1,4 @@ +LocalKMSProviderConfiguration | mongodb

Interface LocalKMSProviderConfiguration

interface LocalKMSProviderConfiguration {
    key: string | Uint8Array | Binary;
}

Properties

key +

Properties

key: string | Uint8Array | Binary

The master key used to encrypt/decrypt data keys. +A 96-byte long Buffer or base64 encoded string.

+
diff --git a/docs/6.14/interfaces/Log.html b/docs/6.14/interfaces/Log.html new file mode 100644 index 00000000000..827bb66ed3c --- /dev/null +++ b/docs/6.14/interfaces/Log.html @@ -0,0 +1,5 @@ +Log | mongodb

Interface Log

interface Log {
    c: MongoLoggableComponent;
    message?: string;
    s: SeverityLevel;
    t: Date;
}

Hierarchy

  • Record<string, any>
    • Log

Properties

c +message? +s +t +

Properties

message?: string
t: Date
diff --git a/docs/6.14/interfaces/LogComponentSeveritiesClientOptions.html b/docs/6.14/interfaces/LogComponentSeveritiesClientOptions.html new file mode 100644 index 00000000000..a18acd8be08 --- /dev/null +++ b/docs/6.14/interfaces/LogComponentSeveritiesClientOptions.html @@ -0,0 +1,13 @@ +LogComponentSeveritiesClientOptions | mongodb

Interface LogComponentSeveritiesClientOptions

interface LogComponentSeveritiesClientOptions {
    client?: SeverityLevel;
    command?: SeverityLevel;
    connection?: SeverityLevel;
    default?: SeverityLevel;
    serverSelection?: SeverityLevel;
    topology?: SeverityLevel;
}

Properties

client?: SeverityLevel

Optional severity level for client component

+
command?: SeverityLevel

Optional severity level for command component

+
connection?: SeverityLevel

Optional severity level for connection component

+
default?: SeverityLevel

Optional default severity level to be used if any of the above are unset

+
serverSelection?: SeverityLevel

Optional severity level for server selection component

+
topology?: SeverityLevel

Optional severity level for topology component

+
diff --git a/docs/6.14/interfaces/ModifyResult.html b/docs/6.14/interfaces/ModifyResult.html new file mode 100644 index 00000000000..3d5ee40b242 --- /dev/null +++ b/docs/6.14/interfaces/ModifyResult.html @@ -0,0 +1,4 @@ +ModifyResult | mongodb

Interface ModifyResult<TSchema>

interface ModifyResult<TSchema> {
    lastErrorObject?: Document;
    ok: 0 | 1;
    value: null | WithId<TSchema>;
}

Type Parameters

Properties

Properties

lastErrorObject?: Document
ok: 0 | 1
value: null | WithId<TSchema>
diff --git a/docs/6.14/interfaces/MongoClientOptions.html b/docs/6.14/interfaces/MongoClientOptions.html new file mode 100644 index 00000000000..0781d0efbc2 --- /dev/null +++ b/docs/6.14/interfaces/MongoClientOptions.html @@ -0,0 +1,285 @@ +MongoClientOptions | mongodb

Interface MongoClientOptions

Describes all possible URI query options for the mongo client

+
interface MongoClientOptions {
    allowPartialTrustChain?: boolean;
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
    appName?: string;
    auth?: Auth;
    authMechanism?: AuthMechanism;
    authMechanismProperties?: AuthMechanismProperties;
    authSource?: string;
    autoEncryption?: AutoEncryptionOptions;
    autoSelectFamily?: boolean;
    autoSelectFamilyAttemptTimeout?: number;
    bsonRegExp?: boolean;
    ca?: string | Buffer | (string | Buffer)[];
    cert?: string | Buffer | (string | Buffer)[];
    checkKeys?: boolean;
    checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
    ciphers?: string;
    compressors?: string | (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[];
    connectTimeoutMS?: number;
    crl?: string | Buffer | (string | Buffer)[];
    directConnection?: boolean;
    driverInfo?: DriverInfo;
    ecdhCurve?: string;
    enableUtf8Validation?: boolean;
    family?: number;
    fieldsAsRaw?: Document;
    forceServerObjectId?: boolean;
    heartbeatFrequencyMS?: number;
    hints?: number;
    ignoreUndefined?: boolean;
    journal?: boolean;
    key?: string | Buffer | (string | Buffer | KeyObject)[];
    loadBalanced?: boolean;
    localAddress?: string;
    localPort?: number;
    localThresholdMS?: number;
    lookup?: LookupFunction;
    maxConnecting?: number;
    maxIdleTimeMS?: number;
    maxPoolSize?: number;
    maxStalenessSeconds?: number;
    minDHSize?: number;
    minHeartbeatFrequencyMS?: number;
    minPoolSize?: number;
    mongodbLogComponentSeverities?: LogComponentSeveritiesClientOptions;
    mongodbLogMaxDocumentLength?: number;
    mongodbLogPath?: MongoDBLogWritable | "stdout" | "stderr";
    monitorCommands?: boolean;
    noDelay?: boolean;
    passphrase?: string;
    pfx?: string | Buffer | (string | Buffer | PxfObject)[];
    pkFactory?: PkFactory;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    proxyHost?: string;
    proxyPassword?: string;
    proxyPort?: number;
    proxyUsername?: string;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readConcernLevel?: ReadConcernLevel;
    readPreference?: ReadPreference | ReadPreferenceMode;
    readPreferenceTags?: TagSet[];
    rejectUnauthorized?: boolean;
    replicaSet?: string;
    retryReads?: boolean;
    retryWrites?: boolean;
    secureContext?: SecureContext;
    secureProtocol?: string;
    serializeFunctions?: boolean;
    serverApi?: "1" | ServerApi;
    serverMonitoringMode?: ServerMonitoringMode;
    servername?: string;
    serverSelectionTimeoutMS?: number;
    session?: Buffer;
    socketTimeoutMS?: number;
    srvMaxHosts?: number;
    srvServiceName?: string;
    ssl?: boolean;
    timeoutMS?: number;
    tls?: boolean;
    tlsAllowInvalidCertificates?: boolean;
    tlsAllowInvalidHostnames?: boolean;
    tlsCAFile?: string;
    tlsCertificateKeyFile?: string;
    tlsCertificateKeyFilePassword?: string;
    tlsCRLFile?: string;
    tlsInsecure?: boolean;
    useBigInt64?: boolean;
    w?: W;
    waitQueueTimeoutMS?: number;
    writeConcern?: WriteConcern | WriteConcernSettings;
    wtimeoutMS?: number;
    zlibCompressionLevel?:
        | 0
        | 5
        | 1
        | 3
        | 9
        | 4
        | 2
        | 7
        | 6
        | 8;
}

Hierarchy (view full)

Properties

Properties

allowPartialTrustChain?: boolean

Treat intermediate (non-self-signed) +certificates in the trust CA certificate list as trusted.

+

v22.9.0, v20.18.0

+
ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

An array of strings or a Buffer naming possible ALPN protocols. +(Protocols should be ordered by their priority.)

+
appName?: string

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

+
auth?: Auth

The auth settings for when connection to server.

+
authMechanism?: AuthMechanism

Specify the authentication mechanism that MongoDB will use to authenticate the connection.

+
authMechanismProperties?: AuthMechanismProperties

Specify properties for the specified authMechanism as a comma-separated list of colon-separated key-value pairs.

+
authSource?: string

Specify the database name associated with the user’s credentials.

+
autoEncryption?: AutoEncryptionOptions

Optionally enable in-use auto encryption

+

Automatic encryption is an enterprise only feature that only applies to operations on a collection. Automatic encryption is not supported for operations on a database or view, and operations that are not bypassed will result in error +(see libmongocrypt: Auto Encryption Allow-List). To bypass automatic encryption for all operations, set bypassAutoEncryption=true in AutoEncryptionOpts.

+

Automatic encryption requires the authenticated user to have the listCollections privilege action.

+

If a MongoClient with a limited connection pool size (i.e a non-zero maxPoolSize) is configured with AutoEncryptionOptions, a separate internal MongoClient is created if any of the following are true:

+
    +
  • AutoEncryptionOptions.keyVaultClient is not passed.
  • +
  • AutoEncryptionOptions.bypassAutomaticEncryption is false.
  • +
+

If an internal MongoClient is created, it is configured with the same options as the parent MongoClient except minPoolSize is set to 0 and AutoEncryptionOptions is omitted.

+
autoSelectFamily?: boolean

v18.13.0

+
autoSelectFamilyAttemptTimeout?: number

v18.13.0

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
ca?: string | Buffer | (string | Buffer)[]

Optionally override the trusted CA certificates. Default is to trust +the well-known CAs curated by Mozilla. Mozilla's CAs are completely +replaced when CAs are explicitly specified using this option.

+
cert?: string | Buffer | (string | Buffer)[]

Cert chains in PEM format. One cert chain should be provided per +private key. Each cert chain should consist of the PEM formatted +certificate for a provided private key, followed by the PEM +formatted intermediate certificates (if any), in order, and not +including the root CA (the root CA must be pre-known to the peer, +see ca). When providing multiple cert chains, they do not have to +be in the same order as their private keys in key. If the +intermediate certificates are not provided, the peer will not be +able to validate the certificate, and the handshake will fail.

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined)

Type declaration

    • (hostname, cert): Error | undefined
    • Verifies the certificate cert is issued to hostname.

      +

      Returns Error object, populating it with reason, host, and cert on +failure. On success, returns undefined.

      +

      This function is intended to be used in combination with thecheckServerIdentity option that can be passed to connect and as +such operates on a certificate object. For other purposes, consider using x509.checkHost() instead.

      +

      This function can be overwritten by providing an alternative function as the options.checkServerIdentity option that is passed to tls.connect(). The +overwriting function can call tls.checkServerIdentity() of course, to augment +the checks done with additional verification.

      +

      This function is only called if the certificate passed all other checks, such as +being issued by trusted CA (options.ca).

      +

      Earlier versions of Node.js incorrectly accepted certificates for a givenhostname if a matching uniformResourceIdentifier subject alternative name +was present (see CVE-2021-44531). Applications that wish to acceptuniformResourceIdentifier subject alternative names can use +a custom options.checkServerIdentity function that implements the desired behavior.

      +

      Parameters

      • hostname: string

        The host name or IP address to verify the certificate against.

        +
      • cert: PeerCertificate

        A certificate object representing the peer's certificate.

        +

      Returns Error | undefined

      v0.8.4

      +
ciphers?: string

Cipher suite specification, replacing the default. For more +information, see modifying the default cipher suite. Permitted +ciphers can be obtained via tls.getCiphers(). Cipher names must be +uppercased in order for OpenSSL to accept them.

+
compressors?: string | (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]

An array or comma-delimited string of compressors to enable network compression for communication between this client and a mongod/mongos instance.

+
connectTimeoutMS?: number

The time in milliseconds to attempt a connection before timing out.

+
crl?: string | Buffer | (string | Buffer)[]

PEM formatted CRLs (Certificate Revocation Lists).

+
directConnection?: boolean

Allow a driver to force a Single topology type with a connection string containing one host

+
driverInfo?: DriverInfo

Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver

+
ecdhCurve?: string

A string describing a named curve or a colon separated list of curve +NIDs or names, for example P-521:P-384:P-256, to use for ECDH key +agreement. Set to auto to select the curve automatically. Use +crypto.getCurves() to obtain a list of available curve names. On +recent releases, openssl ecparam -list_curves will also display the +name and description of each available elliptic curve. Default: +tls.DEFAULT_ECDH_CURVE.

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
family?: number
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
forceServerObjectId?: boolean

Force server to assign _id values instead of driver

+
heartbeatFrequencyMS?: number

heartbeatFrequencyMS controls when the driver checks the state of the MongoDB deployment. Specify the interval (in milliseconds) between checks, counted from the end of the previous check until the beginning of the next one.

+
hints?: number
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
journal?: boolean

The journal write concern

+

Please use the writeConcern option instead

+
key?: string | Buffer | (string | Buffer | KeyObject)[]

Private keys in PEM format. PEM allows the option of private keys +being encrypted. Encrypted keys will be decrypted with +options.passphrase. Multiple keys using different algorithms can be +provided either as an array of unencrypted key strings or buffers, +or an array of objects in the form {pem: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted keys will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
loadBalanced?: boolean

Instruct the driver it is connecting to a load balancer fronting a mongos like service

+
localAddress?: string
localPort?: number
localThresholdMS?: number

The size (in milliseconds) of the latency window for selecting among multiple suitable MongoDB instances.

+
lookup?: LookupFunction
maxConnecting?: number

The maximum number of connections that may be in the process of being established concurrently by the connection pool.

+
maxIdleTimeMS?: number

The maximum number of milliseconds that a connection can remain idle in the pool before being removed and closed.

+
maxPoolSize?: number

The maximum number of connections in the connection pool.

+
maxStalenessSeconds?: number

Specifies, in seconds, how stale a secondary can be before the client stops using it for read operations.

+
minDHSize?: number
minHeartbeatFrequencyMS?: number

Sets the minimum heartbeat frequency. In the event that the driver has to frequently re-check a server's availability, it will wait at least this long since the previous check to avoid wasted effort.

+
minPoolSize?: number

The minimum number of connections in the connection pool.

+
mongodbLogComponentSeverities?: LogComponentSeveritiesClientOptions

Enable logging level per component or use default to control any unset components.

+
mongodbLogMaxDocumentLength?: number

All BSON documents are stringified to EJSON. This controls the maximum length of those strings. +It is defaulted to 1000.

+
mongodbLogPath?: MongoDBLogWritable | "stdout" | "stderr"

Specifies the destination of the driver's logging. The default is stderr.

+
monitorCommands?: boolean

Enable command monitoring for this client

+
noDelay?: boolean

TCP Connection no delay

+
passphrase?: string

Shared passphrase used for a single private key and/or a PFX.

+
pfx?: string | Buffer | (string | Buffer | PxfObject)[]

PFX or PKCS12 encoded private key and certificate chain. pfx is an +alternative to providing key and cert individually. PFX is usually +encrypted, if it is, passphrase will be used to decrypt it. Multiple +PFX can be provided either as an array of unencrypted PFX buffers, +or an array of objects in the form {buf: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted PFX will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
pkFactory?: PkFactory

A primary key factory function for generation of custom _id keys

+
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
proxyHost?: string

Configures a Socks5 proxy host used for creating TCP connections.

+
proxyPassword?: string

Configures a Socks5 proxy password when the proxy in proxyHost requires username/password authentication.

+
proxyPort?: number

Configures a Socks5 proxy port used for creating TCP connections.

+
proxyUsername?: string

Configures a Socks5 proxy username when the proxy in proxyHost requires username/password authentication.

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern for the collection (only MongoDB 3.2 or higher supported)

+
readConcernLevel?: ReadConcernLevel

The level of isolation

+

Specifies the read preferences for this connection

+
readPreferenceTags?: TagSet[]

Specifies the tags document as a comma-separated list of colon-separated key-value pairs.

+
rejectUnauthorized?: boolean

If true the server will reject any connection which is not +authorized with the list of supplied CAs. This option only has an +effect if requestCert is true.

+
true
+
+ +
replicaSet?: string

Specifies the name of the replica set, if the mongod is a member of a replica set.

+
retryReads?: boolean

Enables retryable reads.

+
retryWrites?: boolean

Enable retryable writes.

+
secureContext?: SecureContext

An optional TLS context object from tls.createSecureContext()

+
secureProtocol?: string

Legacy mechanism to select the TLS protocol version to use, it does +not support independent control of the minimum and maximum version, +and does not support limiting the protocol to TLSv1.3. Use +minVersion and maxVersion instead. The possible values are listed as +SSL_METHODS, use the function names as strings. For example, use +'TLSv1_1_method' to force TLS version 1.1, or 'TLS_method' to allow +any TLS protocol version up to TLSv1.3. It is not recommended to use +TLS versions less than 1.2, but it may be required for +interoperability. Default: none, see minVersion.

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
serverApi?: "1" | ServerApi

Server API version

+
serverMonitoringMode?: ServerMonitoringMode

Instructs the driver monitors to use a specific monitoring mode

+
servername?: string
serverSelectionTimeoutMS?: number

Specifies how long (in milliseconds) to block for server selection before throwing an exception.

+
session?: Buffer

An optional Buffer instance containing a TLS session.

+
socketTimeoutMS?: number

The time in milliseconds to attempt a send or receive on a socket before the attempt times out.

+
srvMaxHosts?: number

The maximum number of hosts to connect to when using an srv connection string, a setting of 0 means unlimited hosts

+
srvServiceName?: string

Modifies the srv URI to look like:

+

_{srvServiceName}._tcp.{hostname}.{domainname}

+

Querying this DNS URI is expected to respond with SRV records

+
ssl?: boolean

A boolean to enable or disables TLS/SSL for the connection. (The ssl option is equivalent to the tls option.)

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
tls?: boolean

Enables or disables TLS/SSL for the connection.

+
tlsAllowInvalidCertificates?: boolean

Bypasses validation of the certificates presented by the mongod/mongos instance

+
tlsAllowInvalidHostnames?: boolean

Disables hostname validation of the certificate presented by the mongod/mongos instance.

+
tlsCAFile?: string

Specifies the location of a local .pem file that contains the root certificate chain from the Certificate Authority. This file is used to validate the certificate presented by the mongod/mongos instance.

+
tlsCertificateKeyFile?: string

Specifies the location of a local .pem file that contains either the client's TLS/SSL certificate and key.

+
tlsCertificateKeyFilePassword?: string

Specifies the password to de-crypt the tlsCertificateKeyFile.

+
tlsCRLFile?: string

Specifies the location of a local CRL .pem file that contains the client revokation list.

+
tlsInsecure?: boolean

Disables various certificate validations.

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
w?: W

The write concern w value

+

Please use the writeConcern option instead

+
waitQueueTimeoutMS?: number

The maximum time in milliseconds that a thread can wait for a connection to become available.

+

A MongoDB WriteConcern, which describes the level of acknowledgement +requested from MongoDB for write operations.

+
wtimeoutMS?: number

The write concern timeout

+

Please use the writeConcern option instead

+
zlibCompressionLevel?:
    | 0
    | 5
    | 1
    | 3
    | 9
    | 4
    | 2
    | 7
    | 6
    | 8

An integer that specifies the compression level if using zlib for network compression.

+
diff --git a/docs/6.14/interfaces/MongoCredentialsOptions.html b/docs/6.14/interfaces/MongoCredentialsOptions.html new file mode 100644 index 00000000000..5fd09c413fa --- /dev/null +++ b/docs/6.14/interfaces/MongoCredentialsOptions.html @@ -0,0 +1,7 @@ +MongoCredentialsOptions | mongodb

Interface MongoCredentialsOptions

interface MongoCredentialsOptions {
    db?: string;
    mechanism?: AuthMechanism;
    mechanismProperties: AuthMechanismProperties;
    password: string;
    source: string;
    username?: string;
}

Properties

db?: string
mechanism?: AuthMechanism
mechanismProperties: AuthMechanismProperties
password: string
source: string
username?: string
diff --git a/docs/6.14/interfaces/MongoDBLogWritable.html b/docs/6.14/interfaces/MongoDBLogWritable.html new file mode 100644 index 00000000000..9b26e465f3b --- /dev/null +++ b/docs/6.14/interfaces/MongoDBLogWritable.html @@ -0,0 +1,18 @@ +MongoDBLogWritable | mongodb

Interface MongoDBLogWritable

A custom destination for structured logging messages.

+
interface MongoDBLogWritable {
    write(log: Log): unknown;
}

Methods

Methods

  • This function will be called for every enabled log message.

    +

    It can be sync or async:

    +
      +
    • If it is synchronous it will block the driver from proceeding until this method returns.
    • +
    • If it is asynchronous the driver will not await the returned promise. It will attach fulfillment handling (.then). +If the promise rejects the logger will write an error message to stderr and stop functioning. +If the promise resolves the driver proceeds to the next log message (or waits for new ones to occur).
    • +
    +

    Tips:

    +
      +
    • We recommend writing an async write function that never rejects. +Instead handle logging errors as necessary to your use case and make the write function a noop, until it can be recovered.
    • +
    • The Log messages are structured but subject to change since the intended purpose is informational. +Program against this defensively and err on the side of stringifying whatever is passed in to write in some form or another.
    • +
    +

    Parameters

    Returns unknown

diff --git a/docs/6.14/interfaces/MongoNetworkErrorOptions.html b/docs/6.14/interfaces/MongoNetworkErrorOptions.html new file mode 100644 index 00000000000..5c6940d9360 --- /dev/null +++ b/docs/6.14/interfaces/MongoNetworkErrorOptions.html @@ -0,0 +1,4 @@ +MongoNetworkErrorOptions | mongodb

Interface MongoNetworkErrorOptions

interface MongoNetworkErrorOptions {
    beforeHandshake?: boolean;
    cause?: Error;
}

Properties

beforeHandshake?: boolean

Indicates the timeout happened before a connection handshake completed

+
cause?: Error
diff --git a/docs/6.14/interfaces/MongoOptions.html b/docs/6.14/interfaces/MongoOptions.html new file mode 100644 index 00000000000..31d3b9df245 --- /dev/null +++ b/docs/6.14/interfaces/MongoOptions.html @@ -0,0 +1,281 @@ +MongoOptions | mongodb

Interface MongoOptions

Parsed Mongo Client Options.

+

User supplied options are documented by MongoClientOptions.

+

NOTE: The client's options parsing is subject to change to support new features. +This type is provided to aid with inspection of options after parsing, it should not be relied upon programmatically.

+

Options are sourced from:

+
    +
  • connection string
  • +
  • options object passed to the MongoClient constructor
  • +
  • file system (ex. tls settings)
  • +
  • environment variables
  • +
  • DNS SRV records and TXT records
  • +
+

Not all options may be present after client construction as some are obtained from asynchronous operations.

+
interface MongoOptions {
    allowPartialTrustChain?: boolean;
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
    appName?: string;
    autoEncryption: AutoEncryptionOptions;
    autoSelectFamily?: boolean;
    autoSelectFamilyAttemptTimeout?: number;
    ca?: string | Buffer | (string | Buffer)[];
    cert?: string | Buffer | (string | Buffer)[];
    checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
    ciphers?: string;
    compressors: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[];
    connectTimeoutMS: number;
    credentials?: MongoCredentials;
    crl?: string | Buffer | (string | Buffer)[];
    dbName: string;
    directConnection: boolean;
    driverInfo: DriverInfo;
    ecdhCurve?: string;
    family?: number;
    forceServerObjectId: boolean;
    heartbeatFrequencyMS: number;
    hints?: number;
    hosts: HostAddress[];
    key?: string | Buffer | (string | Buffer | KeyObject)[];
    loadBalanced: boolean;
    localAddress?: string;
    localPort?: number;
    localThresholdMS: number;
    lookup?: LookupFunction;
    maxConnecting: number;
    maxIdleTimeMS: number;
    maxPoolSize: number;
    metadata: ClientMetadata;
    minDHSize?: number;
    minHeartbeatFrequencyMS: number;
    minPoolSize: number;
    monitorCommands: boolean;
    noDelay: boolean;
    passphrase?: string;
    pfx?: string | Buffer | (string | Buffer | PxfObject)[];
    pkFactory: PkFactory;
    proxyHost?: string;
    proxyPassword?: string;
    proxyPort?: number;
    proxyUsername?: string;
    raw: boolean;
    readConcern: ReadConcern;
    readPreference: ReadPreference;
    rejectUnauthorized?: boolean;
    replicaSet: string;
    retryReads: boolean;
    retryWrites: boolean;
    secureContext?: SecureContext;
    secureProtocol?: string;
    serverApi: ServerApi;
    serverMonitoringMode: ServerMonitoringMode;
    servername?: string;
    serverSelectionTimeoutMS: number;
    session?: Buffer;
    socketTimeoutMS: number;
    srvHost?: string;
    srvMaxHosts: number;
    srvServiceName: string;
    timeoutMS?: number;
    tls: boolean;
    tlsAllowInvalidCertificates: boolean;
    tlsAllowInvalidHostnames: boolean;
    tlsCAFile?: string;
    tlsCertificateKeyFile?: string;
    tlsCRLFile?: string;
    tlsInsecure: boolean;
    waitQueueTimeoutMS: number;
    writeConcern: WriteConcern;
    zlibCompressionLevel:
        | 0
        | 1
        | 2
        | 3
        | 4
        | 5
        | 6
        | 7
        | 8
        | 9;
}

Hierarchy (view full)

  • Required<Pick<MongoClientOptions,
        | "autoEncryption"
        | "connectTimeoutMS"
        | "directConnection"
        | "driverInfo"
        | "forceServerObjectId"
        | "minHeartbeatFrequencyMS"
        | "heartbeatFrequencyMS"
        | "localThresholdMS"
        | "maxConnecting"
        | "maxIdleTimeMS"
        | "maxPoolSize"
        | "minPoolSize"
        | "monitorCommands"
        | "noDelay"
        | "pkFactory"
        | "raw"
        | "replicaSet"
        | "retryReads"
        | "retryWrites"
        | "serverSelectionTimeoutMS"
        | "socketTimeoutMS"
        | "srvMaxHosts"
        | "srvServiceName"
        | "tlsAllowInvalidCertificates"
        | "tlsAllowInvalidHostnames"
        | "tlsInsecure"
        | "waitQueueTimeoutMS"
        | "zlibCompressionLevel">>
  • SupportedNodeConnectionOptions
    • MongoOptions

Properties

allowPartialTrustChain?: boolean

Treat intermediate (non-self-signed) +certificates in the trust CA certificate list as trusted.

+

v22.9.0, v20.18.0

+
ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

An array of strings or a Buffer naming possible ALPN protocols. +(Protocols should be ordered by their priority.)

+
appName?: string
autoEncryption: AutoEncryptionOptions

Optionally enable in-use auto encryption

+

Automatic encryption is an enterprise only feature that only applies to operations on a collection. Automatic encryption is not supported for operations on a database or view, and operations that are not bypassed will result in error +(see libmongocrypt: Auto Encryption Allow-List). To bypass automatic encryption for all operations, set bypassAutoEncryption=true in AutoEncryptionOpts.

+

Automatic encryption requires the authenticated user to have the listCollections privilege action.

+

If a MongoClient with a limited connection pool size (i.e a non-zero maxPoolSize) is configured with AutoEncryptionOptions, a separate internal MongoClient is created if any of the following are true:

+
    +
  • AutoEncryptionOptions.keyVaultClient is not passed.
  • +
  • AutoEncryptionOptions.bypassAutomaticEncryption is false.
  • +
+

If an internal MongoClient is created, it is configured with the same options as the parent MongoClient except minPoolSize is set to 0 and AutoEncryptionOptions is omitted.

+
autoSelectFamily?: boolean

v18.13.0

+
autoSelectFamilyAttemptTimeout?: number

v18.13.0

+
ca?: string | Buffer | (string | Buffer)[]

Optionally override the trusted CA certificates. Default is to trust +the well-known CAs curated by Mozilla. Mozilla's CAs are completely +replaced when CAs are explicitly specified using this option.

+
cert?: string | Buffer | (string | Buffer)[]

Cert chains in PEM format. One cert chain should be provided per +private key. Each cert chain should consist of the PEM formatted +certificate for a provided private key, followed by the PEM +formatted intermediate certificates (if any), in order, and not +including the root CA (the root CA must be pre-known to the peer, +see ca). When providing multiple cert chains, they do not have to +be in the same order as their private keys in key. If the +intermediate certificates are not provided, the peer will not be +able to validate the certificate, and the handshake will fail.

+
checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined)

Type declaration

    • (hostname, cert): Error | undefined
    • Verifies the certificate cert is issued to hostname.

      +

      Returns Error object, populating it with reason, host, and cert on +failure. On success, returns undefined.

      +

      This function is intended to be used in combination with thecheckServerIdentity option that can be passed to connect and as +such operates on a certificate object. For other purposes, consider using x509.checkHost() instead.

      +

      This function can be overwritten by providing an alternative function as the options.checkServerIdentity option that is passed to tls.connect(). The +overwriting function can call tls.checkServerIdentity() of course, to augment +the checks done with additional verification.

      +

      This function is only called if the certificate passed all other checks, such as +being issued by trusted CA (options.ca).

      +

      Earlier versions of Node.js incorrectly accepted certificates for a givenhostname if a matching uniformResourceIdentifier subject alternative name +was present (see CVE-2021-44531). Applications that wish to acceptuniformResourceIdentifier subject alternative names can use +a custom options.checkServerIdentity function that implements the desired behavior.

      +

      Parameters

      • hostname: string

        The host name or IP address to verify the certificate against.

        +
      • cert: PeerCertificate

        A certificate object representing the peer's certificate.

        +

      Returns Error | undefined

      v0.8.4

      +
ciphers?: string

Cipher suite specification, replacing the default. For more +information, see modifying the default cipher suite. Permitted +ciphers can be obtained via tls.getCiphers(). Cipher names must be +uppercased in order for OpenSSL to accept them.

+
compressors: (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]
connectTimeoutMS: number

The time in milliseconds to attempt a connection before timing out.

+
credentials?: MongoCredentials
crl?: string | Buffer | (string | Buffer)[]

PEM formatted CRLs (Certificate Revocation Lists).

+
dbName: string
directConnection: boolean

Allow a driver to force a Single topology type with a connection string containing one host

+
driverInfo: DriverInfo

Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver

+
ecdhCurve?: string

A string describing a named curve or a colon separated list of curve +NIDs or names, for example P-521:P-384:P-256, to use for ECDH key +agreement. Set to auto to select the curve automatically. Use +crypto.getCurves() to obtain a list of available curve names. On +recent releases, openssl ecparam -list_curves will also display the +name and description of each available elliptic curve. Default: +tls.DEFAULT_ECDH_CURVE.

+
family?: number
forceServerObjectId: boolean

Force server to assign _id values instead of driver

+
heartbeatFrequencyMS: number

heartbeatFrequencyMS controls when the driver checks the state of the MongoDB deployment. Specify the interval (in milliseconds) between checks, counted from the end of the previous check until the beginning of the next one.

+
hints?: number
hosts: HostAddress[]
key?: string | Buffer | (string | Buffer | KeyObject)[]

Private keys in PEM format. PEM allows the option of private keys +being encrypted. Encrypted keys will be decrypted with +options.passphrase. Multiple keys using different algorithms can be +provided either as an array of unencrypted key strings or buffers, +or an array of objects in the form {pem: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted keys will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
loadBalanced: boolean
localAddress?: string
localPort?: number
localThresholdMS: number

The size (in milliseconds) of the latency window for selecting among multiple suitable MongoDB instances.

+
lookup?: LookupFunction
maxConnecting: number

The maximum number of connections that may be in the process of being established concurrently by the connection pool.

+
maxIdleTimeMS: number

The maximum number of milliseconds that a connection can remain idle in the pool before being removed and closed.

+
maxPoolSize: number

The maximum number of connections in the connection pool.

+
metadata: ClientMetadata
minDHSize?: number
minHeartbeatFrequencyMS: number

Sets the minimum heartbeat frequency. In the event that the driver has to frequently re-check a server's availability, it will wait at least this long since the previous check to avoid wasted effort.

+
minPoolSize: number

The minimum number of connections in the connection pool.

+
monitorCommands: boolean

Enable command monitoring for this client

+
noDelay: boolean

TCP Connection no delay

+
passphrase?: string

Shared passphrase used for a single private key and/or a PFX.

+
pfx?: string | Buffer | (string | Buffer | PxfObject)[]

PFX or PKCS12 encoded private key and certificate chain. pfx is an +alternative to providing key and cert individually. PFX is usually +encrypted, if it is, passphrase will be used to decrypt it. Multiple +PFX can be provided either as an array of unencrypted PFX buffers, +or an array of objects in the form {buf: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted PFX will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
pkFactory: PkFactory

A primary key factory function for generation of custom _id keys

+
proxyHost?: string
proxyPassword?: string
proxyPort?: number
proxyUsername?: string
raw: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern: ReadConcern
readPreference: ReadPreference
rejectUnauthorized?: boolean

If true the server will reject any connection which is not +authorized with the list of supplied CAs. This option only has an +effect if requestCert is true.

+
true
+
+ +
replicaSet: string

Specifies the name of the replica set, if the mongod is a member of a replica set.

+
retryReads: boolean

Enables retryable reads.

+
retryWrites: boolean

Enable retryable writes.

+
secureContext?: SecureContext

An optional TLS context object from tls.createSecureContext()

+
secureProtocol?: string

Legacy mechanism to select the TLS protocol version to use, it does +not support independent control of the minimum and maximum version, +and does not support limiting the protocol to TLSv1.3. Use +minVersion and maxVersion instead. The possible values are listed as +SSL_METHODS, use the function names as strings. For example, use +'TLSv1_1_method' to force TLS version 1.1, or 'TLS_method' to allow +any TLS protocol version up to TLSv1.3. It is not recommended to use +TLS versions less than 1.2, but it may be required for +interoperability. Default: none, see minVersion.

+
serverApi: ServerApi
serverMonitoringMode: ServerMonitoringMode
servername?: string
serverSelectionTimeoutMS: number

Specifies how long (in milliseconds) to block for server selection before throwing an exception.

+
session?: Buffer

An optional Buffer instance containing a TLS session.

+
socketTimeoutMS: number

The time in milliseconds to attempt a send or receive on a socket before the attempt times out.

+
srvHost?: string
srvMaxHosts: number

The maximum number of hosts to connect to when using an srv connection string, a setting of 0 means unlimited hosts

+
srvServiceName: string

Modifies the srv URI to look like:

+

_{srvServiceName}._tcp.{hostname}.{domainname}

+

Querying this DNS URI is expected to respond with SRV records

+
timeoutMS?: number
tls: boolean

NOTE ABOUT TLS Options

If tls is provided as an option, it is equivalent to setting the ssl option.

+

NodeJS native TLS options are passed through to the socket and retain their original types.

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
nodejs native optiondriver spec equivalent option namedriver option type
catlsCAFilestring
crltlsCRLFilestring
certtlsCertificateKeyFilestring
keytlsCertificateKeyFilestring
passphrasetlsCertificateKeyFilePasswordstring
rejectUnauthorizedtlsAllowInvalidCertificatesboolean
checkServerIdentitytlsAllowInvalidHostnamesboolean
see note belowtlsInsecureboolean
+

If tlsInsecure is set to true, then it will set the node native options checkServerIdentity +to a no-op and rejectUnauthorized to false.

+

If tlsInsecure is set to false, then it will set the node native options checkServerIdentity +to a no-op and rejectUnauthorized to the inverse value of tlsAllowInvalidCertificates. If +tlsAllowInvalidCertificates is not set, then rejectUnauthorized will be set to true.

+

The files specified by the paths passed in to the tlsCAFile, tlsCertificateKeyFile and tlsCRLFile +fields are read lazily on the first call to MongoClient.connect. Once these files have been read and +the ca, cert, crl and key fields are populated, they will not be read again on subsequent calls to +MongoClient.connect. As a result, until the first call to MongoClient.connect, the ca, +cert, crl and key fields will be undefined.

+
tlsAllowInvalidCertificates: boolean

Bypasses validation of the certificates presented by the mongod/mongos instance

+
tlsAllowInvalidHostnames: boolean

Disables hostname validation of the certificate presented by the mongod/mongos instance.

+
tlsCAFile?: string
tlsCertificateKeyFile?: string
tlsCRLFile?: string
tlsInsecure: boolean

Disables various certificate validations.

+
waitQueueTimeoutMS: number

The maximum time in milliseconds that a thread can wait for a connection to become available.

+
writeConcern: WriteConcern
zlibCompressionLevel:
    | 0
    | 1
    | 2
    | 3
    | 4
    | 5
    | 6
    | 7
    | 8
    | 9

An integer that specifies the compression level if using zlib for network compression.

+
diff --git a/docs/6.14/interfaces/MonitorOptions.html b/docs/6.14/interfaces/MonitorOptions.html new file mode 100644 index 00000000000..98acce5c36e --- /dev/null +++ b/docs/6.14/interfaces/MonitorOptions.html @@ -0,0 +1,125 @@ +MonitorOptions | mongodb

Interface MonitorOptions

interface MonitorOptions {
    allowPartialTrustChain?: boolean;
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
    autoSelectFamily?: boolean;
    autoSelectFamilyAttemptTimeout?: number;
    ca?: string | Buffer | (string | Buffer)[];
    cancellationToken?: CancellationToken;
    cert?: string | Buffer | (string | Buffer)[];
    checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
    ciphers?: string;
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[];
    connectTimeoutMS: number;
    credentials?: MongoCredentials;
    crl?: string | Buffer | (string | Buffer)[];
    ecdhCurve?: string;
    family?: number;
    heartbeatFrequencyMS: number;
    hints?: number;
    key?: string | Buffer | (string | Buffer | KeyObject)[];
    loadBalanced: boolean;
    localAddress?: string;
    localPort?: number;
    logicalSessionTimeoutMinutes?: number;
    lookup?: LookupFunction;
    metadata: ClientMetadata;
    minDHSize?: number;
    minHeartbeatFrequencyMS: number;
    monitorCommands: boolean;
    noDelay?: boolean;
    passphrase?: string;
    pfx?: string | Buffer | (string | Buffer | PxfObject)[];
    proxyHost?: string;
    proxyPassword?: string;
    proxyPort?: number;
    proxyUsername?: string;
    rejectUnauthorized?: boolean;
    secureContext?: SecureContext;
    secureProtocol?: string;
    serverApi?: ServerApi;
    serverMonitoringMode: ServerMonitoringMode;
    servername?: string;
    session?: Buffer;
    socketTimeoutMS?: number;
    tls: boolean;
}

Hierarchy

Properties

allowPartialTrustChain?: boolean

Treat intermediate (non-self-signed) +certificates in the trust CA certificate list as trusted.

+

v22.9.0, v20.18.0

+
ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

An array of strings or a Buffer naming possible ALPN protocols. +(Protocols should be ordered by their priority.)

+
autoSelectFamily?: boolean

v18.13.0

+
autoSelectFamilyAttemptTimeout?: number

v18.13.0

+
ca?: string | Buffer | (string | Buffer)[]

Optionally override the trusted CA certificates. Default is to trust +the well-known CAs curated by Mozilla. Mozilla's CAs are completely +replaced when CAs are explicitly specified using this option.

+
cancellationToken?: CancellationToken
cert?: string | Buffer | (string | Buffer)[]

Cert chains in PEM format. One cert chain should be provided per +private key. Each cert chain should consist of the PEM formatted +certificate for a provided private key, followed by the PEM +formatted intermediate certificates (if any), in order, and not +including the root CA (the root CA must be pre-known to the peer, +see ca). When providing multiple cert chains, they do not have to +be in the same order as their private keys in key. If the +intermediate certificates are not provided, the peer will not be +able to validate the certificate, and the handshake will fail.

+
checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined)

Type declaration

    • (hostname, cert): Error | undefined
    • Verifies the certificate cert is issued to hostname.

      +

      Returns Error object, populating it with reason, host, and cert on +failure. On success, returns undefined.

      +

      This function is intended to be used in combination with thecheckServerIdentity option that can be passed to connect and as +such operates on a certificate object. For other purposes, consider using x509.checkHost() instead.

      +

      This function can be overwritten by providing an alternative function as the options.checkServerIdentity option that is passed to tls.connect(). The +overwriting function can call tls.checkServerIdentity() of course, to augment +the checks done with additional verification.

      +

      This function is only called if the certificate passed all other checks, such as +being issued by trusted CA (options.ca).

      +

      Earlier versions of Node.js incorrectly accepted certificates for a givenhostname if a matching uniformResourceIdentifier subject alternative name +was present (see CVE-2021-44531). Applications that wish to acceptuniformResourceIdentifier subject alternative names can use +a custom options.checkServerIdentity function that implements the desired behavior.

      +

      Parameters

      • hostname: string

        The host name or IP address to verify the certificate against.

        +
      • cert: PeerCertificate

        A certificate object representing the peer's certificate.

        +

      Returns Error | undefined

      v0.8.4

      +
ciphers?: string

Cipher suite specification, replacing the default. For more +information, see modifying the default cipher suite. Permitted +ciphers can be obtained via tls.getCiphers(). Cipher names must be +uppercased in order for OpenSSL to accept them.

+
compressors?: (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]
connectTimeoutMS: number
credentials?: MongoCredentials
crl?: string | Buffer | (string | Buffer)[]

PEM formatted CRLs (Certificate Revocation Lists).

+
ecdhCurve?: string

A string describing a named curve or a colon separated list of curve +NIDs or names, for example P-521:P-384:P-256, to use for ECDH key +agreement. Set to auto to select the curve automatically. Use +crypto.getCurves() to obtain a list of available curve names. On +recent releases, openssl ecparam -list_curves will also display the +name and description of each available elliptic curve. Default: +tls.DEFAULT_ECDH_CURVE.

+
family?: number
heartbeatFrequencyMS: number
hints?: number
key?: string | Buffer | (string | Buffer | KeyObject)[]

Private keys in PEM format. PEM allows the option of private keys +being encrypted. Encrypted keys will be decrypted with +options.passphrase. Multiple keys using different algorithms can be +provided either as an array of unencrypted key strings or buffers, +or an array of objects in the form {pem: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted keys will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
loadBalanced: boolean
localAddress?: string
localPort?: number
logicalSessionTimeoutMinutes?: number
lookup?: LookupFunction
metadata: ClientMetadata
minDHSize?: number
minHeartbeatFrequencyMS: number
monitorCommands: boolean
noDelay?: boolean
passphrase?: string

Shared passphrase used for a single private key and/or a PFX.

+
pfx?: string | Buffer | (string | Buffer | PxfObject)[]

PFX or PKCS12 encoded private key and certificate chain. pfx is an +alternative to providing key and cert individually. PFX is usually +encrypted, if it is, passphrase will be used to decrypt it. Multiple +PFX can be provided either as an array of unencrypted PFX buffers, +or an array of objects in the form {buf: <string|buffer>[, +passphrase: ]}. The object form can only occur in an array. +object.passphrase is optional. Encrypted PFX will be decrypted with +object.passphrase if provided, or options.passphrase if it is not.

+
proxyHost?: string
proxyPassword?: string
proxyPort?: number
proxyUsername?: string
rejectUnauthorized?: boolean

If true the server will reject any connection which is not +authorized with the list of supplied CAs. This option only has an +effect if requestCert is true.

+
true
+
+ +
secureContext?: SecureContext

An optional TLS context object from tls.createSecureContext()

+
secureProtocol?: string

Legacy mechanism to select the TLS protocol version to use, it does +not support independent control of the minimum and maximum version, +and does not support limiting the protocol to TLSv1.3. Use +minVersion and maxVersion instead. The possible values are listed as +SSL_METHODS, use the function names as strings. For example, use +'TLSv1_1_method' to force TLS version 1.1, or 'TLS_method' to allow +any TLS protocol version up to TLSv1.3. It is not recommended to use +TLS versions less than 1.2, but it may be required for +interoperability. Default: none, see minVersion.

+
serverApi?: ServerApi
serverMonitoringMode: ServerMonitoringMode
servername?: string
session?: Buffer

An optional Buffer instance containing a TLS session.

+
socketTimeoutMS?: number
tls: boolean
diff --git a/docs/6.14/interfaces/OIDCCallbackParams.html b/docs/6.14/interfaces/OIDCCallbackParams.html new file mode 100644 index 00000000000..c6b6585200e --- /dev/null +++ b/docs/6.14/interfaces/OIDCCallbackParams.html @@ -0,0 +1,16 @@ +OIDCCallbackParams | mongodb

Interface OIDCCallbackParams

The parameters that the driver provides to the user supplied +human or machine callback.

+

The version number is used to communicate callback API changes that are not breaking but that +users may want to know about and review their implementation. Users may wish to check the version +number and throw an error if their expected version number and the one provided do not match.

+
interface OIDCCallbackParams {
    idpInfo?: IdPInfo;
    refreshToken?: string;
    timeoutContext: AbortSignal;
    username?: string;
    version: 1;
}

Properties

idpInfo?: IdPInfo

The IdP information returned from the server.

+
refreshToken?: string

The refresh token, if applicable, to be used by the callback to request a new token from the issuer.

+
timeoutContext: AbortSignal

The context in which to timeout the OIDC callback.

+
username?: string

Optional username.

+
version: 1

The current OIDC API version.

+
diff --git a/docs/6.14/interfaces/OIDCResponse.html b/docs/6.14/interfaces/OIDCResponse.html new file mode 100644 index 00000000000..6cf1b517d1c --- /dev/null +++ b/docs/6.14/interfaces/OIDCResponse.html @@ -0,0 +1,9 @@ +OIDCResponse | mongodb

Interface OIDCResponse

The response required to be returned from the machine or +human callback workflows' callback.

+
interface OIDCResponse {
    accessToken: string;
    expiresInSeconds?: number;
    refreshToken?: string;
}

Properties

accessToken: string

The OIDC access token.

+
expiresInSeconds?: number

The time when the access token expires. For future use.

+
refreshToken?: string

The refresh token, if applicable, to be used by the callback to request a new token from the issuer.

+
diff --git a/docs/6.14/interfaces/OperationOptions.html b/docs/6.14/interfaces/OperationOptions.html new file mode 100644 index 00000000000..c3f9618a7df --- /dev/null +++ b/docs/6.14/interfaces/OperationOptions.html @@ -0,0 +1,51 @@ +OperationOptions | mongodb

Interface OperationOptions

interface OperationOptions {
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    enableUtf8Validation?: boolean;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readPreference?: ReadPreferenceLike;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
}

Hierarchy (view full)

Properties

bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean
diff --git a/docs/6.14/interfaces/PkFactory.html b/docs/6.14/interfaces/PkFactory.html new file mode 100644 index 00000000000..9710d9d7c0b --- /dev/null +++ b/docs/6.14/interfaces/PkFactory.html @@ -0,0 +1,2 @@ +PkFactory | mongodb

Interface PkFactory

interface PkFactory {
    createPk(): any;
}

Methods

Methods

diff --git a/docs/6.14/interfaces/ProxyOptions.html b/docs/6.14/interfaces/ProxyOptions.html new file mode 100644 index 00000000000..9ddd24121a7 --- /dev/null +++ b/docs/6.14/interfaces/ProxyOptions.html @@ -0,0 +1,5 @@ +ProxyOptions | mongodb

Interface ProxyOptions

interface ProxyOptions {
    proxyHost?: string;
    proxyPassword?: string;
    proxyPort?: number;
    proxyUsername?: string;
}

Hierarchy (view full)

Properties

proxyHost?: string
proxyPassword?: string
proxyPort?: number
proxyUsername?: string
diff --git a/docs/6.14/interfaces/RangeOptions.html b/docs/6.14/interfaces/RangeOptions.html new file mode 100644 index 00000000000..0afcff0f03b --- /dev/null +++ b/docs/6.14/interfaces/RangeOptions.html @@ -0,0 +1,13 @@ +RangeOptions | mongodb

Interface RangeOptions

RangeOptions specifies index options for a Queryable Encryption field supporting "range" queries. +min, max, sparsity, trimFactor and range must match the values set in the encryptedFields of the destination collection. +For double and decimal128, min/max/precision must all be set, or all be unset.

+
interface RangeOptions {
    max?: any;
    min?: any;
    precision?: number;
    sparsity?: bigint | Long;
    trimFactor?: number | Int32;
}

Properties

max?: any

max is the minimum value for the encrypted index. Required if precision is set.

+
min?: any

min is the minimum value for the encrypted index. Required if precision is set.

+
precision?: number
sparsity?: bigint | Long

sparsity may be used to tune performance. must be non-negative. When omitted, a default value is used.

+
trimFactor?: number | Int32

trimFactor may be used to tune performance. must be non-negative. When omitted, a default value is used.

+
diff --git a/docs/6.14/interfaces/ReadPreferenceFromOptions.html b/docs/6.14/interfaces/ReadPreferenceFromOptions.html new file mode 100644 index 00000000000..f819ef2668e --- /dev/null +++ b/docs/6.14/interfaces/ReadPreferenceFromOptions.html @@ -0,0 +1,8 @@ +ReadPreferenceFromOptions | mongodb

Interface ReadPreferenceFromOptions

interface ReadPreferenceFromOptions {
    hedge?: HedgeOptions;
    maxStalenessSeconds?: number;
    readPreference?: ReadPreferenceLike | {
        maxStalenessSeconds?: number;
        mode?: ReadPreferenceMode | undefined;
        preference?: ReadPreferenceMode | undefined;
        tags?: TagSet[];
    };
    readPreferenceTags?: TagSet[];
    session?: ClientSession;
}

Hierarchy (view full)

Properties

hedge?: HedgeOptions

Server mode in which the same query is dispatched in parallel to multiple replica set members.

+
maxStalenessSeconds?: number

Max secondary read staleness in seconds, Minimum value is 90 seconds.

+
readPreference?: ReadPreferenceLike | {
    maxStalenessSeconds?: number;
    mode?: ReadPreferenceMode | undefined;
    preference?: ReadPreferenceMode | undefined;
    tags?: TagSet[];
}
readPreferenceTags?: TagSet[]
session?: ClientSession
diff --git a/docs/6.14/interfaces/ReadPreferenceLikeOptions.html b/docs/6.14/interfaces/ReadPreferenceLikeOptions.html new file mode 100644 index 00000000000..925a117bb77 --- /dev/null +++ b/docs/6.14/interfaces/ReadPreferenceLikeOptions.html @@ -0,0 +1,6 @@ +ReadPreferenceLikeOptions | mongodb

Interface ReadPreferenceLikeOptions

interface ReadPreferenceLikeOptions {
    hedge?: HedgeOptions;
    maxStalenessSeconds?: number;
    readPreference?: ReadPreferenceLike | {
        maxStalenessSeconds?: number;
        mode?: ReadPreferenceMode | undefined;
        preference?: ReadPreferenceMode | undefined;
        tags?: TagSet[];
    };
}

Hierarchy (view full)

Properties

hedge?: HedgeOptions

Server mode in which the same query is dispatched in parallel to multiple replica set members.

+
maxStalenessSeconds?: number

Max secondary read staleness in seconds, Minimum value is 90 seconds.

+
readPreference?: ReadPreferenceLike | {
    maxStalenessSeconds?: number;
    mode?: ReadPreferenceMode | undefined;
    preference?: ReadPreferenceMode | undefined;
    tags?: TagSet[];
}
diff --git a/docs/6.14/interfaces/ReadPreferenceOptions.html b/docs/6.14/interfaces/ReadPreferenceOptions.html new file mode 100644 index 00000000000..bb4eb286a6e --- /dev/null +++ b/docs/6.14/interfaces/ReadPreferenceOptions.html @@ -0,0 +1,5 @@ +ReadPreferenceOptions | mongodb

Interface ReadPreferenceOptions

interface ReadPreferenceOptions {
    hedge?: HedgeOptions;
    maxStalenessSeconds?: number;
}

Hierarchy (view full)

Properties

hedge?: HedgeOptions

Server mode in which the same query is dispatched in parallel to multiple replica set members.

+
maxStalenessSeconds?: number

Max secondary read staleness in seconds, Minimum value is 90 seconds.

+
diff --git a/docs/6.14/interfaces/RenameOptions.html b/docs/6.14/interfaces/RenameOptions.html new file mode 100644 index 00000000000..b4697c52472 --- /dev/null +++ b/docs/6.14/interfaces/RenameOptions.html @@ -0,0 +1,75 @@ +RenameOptions | mongodb

Interface RenameOptions

interface RenameOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    dropTarget?: boolean;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    new_collection?: boolean;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
dropTarget?: boolean

Drop the target name collection if it previously exists.

+
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
new_collection?: boolean

Unclear

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ReplaceOneModel.html b/docs/6.14/interfaces/ReplaceOneModel.html new file mode 100644 index 00000000000..b03d1983dc1 --- /dev/null +++ b/docs/6.14/interfaces/ReplaceOneModel.html @@ -0,0 +1,11 @@ +ReplaceOneModel | mongodb

Interface ReplaceOneModel<TSchema>

interface ReplaceOneModel<TSchema> {
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    replacement: WithoutId<TSchema>;
    upsert?: boolean;
}

Type Parameters

Properties

collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter to limit the replaced document.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+
replacement: WithoutId<TSchema>

The document with which to replace the matched document.

+
upsert?: boolean

When true, creates a new document if no document matches the query.

+
diff --git a/docs/6.14/interfaces/ReplaceOptions.html b/docs/6.14/interfaces/ReplaceOptions.html new file mode 100644 index 00000000000..f16d6af9338 --- /dev/null +++ b/docs/6.14/interfaces/ReplaceOptions.html @@ -0,0 +1,79 @@ +ReplaceOptions | mongodb

Interface ReplaceOptions

interface ReplaceOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: string | Document;
    ignoreUndefined?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    upsert?: boolean;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

If true, allows the write to opt-out of document level validation

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specifies a collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: string | Document

Specify that the update query should only consider plans using the hinted index

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
upsert?: boolean

When true, creates a new document if no document matches the query

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/ResumeOptions.html b/docs/6.14/interfaces/ResumeOptions.html new file mode 100644 index 00000000000..3f4914cad15 --- /dev/null +++ b/docs/6.14/interfaces/ResumeOptions.html @@ -0,0 +1,10 @@ +ResumeOptions | mongodb

Interface ResumeOptions

Please use the ChangeStreamCursorOptions type instead.

+
interface ResumeOptions {
    batchSize?: number;
    collation?: CollationOptions;
    fullDocument?: string;
    maxAwaitTimeMS?: number;
    readPreference?: ReadPreference;
    resumeAfter?: unknown;
    startAfter?: unknown;
    startAtOperationTime?: Timestamp;
}

Properties

batchSize?: number
collation?: CollationOptions
fullDocument?: string
maxAwaitTimeMS?: number
readPreference?: ReadPreference
resumeAfter?: unknown
startAfter?: unknown
startAtOperationTime?: Timestamp
diff --git a/docs/6.14/interfaces/RootFilterOperators.html b/docs/6.14/interfaces/RootFilterOperators.html new file mode 100644 index 00000000000..2b053b3f71e --- /dev/null +++ b/docs/6.14/interfaces/RootFilterOperators.html @@ -0,0 +1,7 @@ +RootFilterOperators | mongodb

Interface RootFilterOperators<TSchema>

interface RootFilterOperators<TSchema> {
    $and?: Filter<TSchema>[];
    $comment?: string | Document;
    $nor?: Filter<TSchema>[];
    $or?: Filter<TSchema>[];
    $text?: {
        $caseSensitive?: boolean;
        $diacriticSensitive?: boolean;
        $language?: string;
        $search: string;
    };
    $where?: string | ((this: TSchema) => boolean);
}

Type Parameters

  • TSchema

Hierarchy (view full)

Properties

$and?: Filter<TSchema>[]
$comment?: string | Document
$nor?: Filter<TSchema>[]
$or?: Filter<TSchema>[]
$text?: {
    $caseSensitive?: boolean;
    $diacriticSensitive?: boolean;
    $language?: string;
    $search: string;
}
$where?: string | ((this: TSchema) => boolean)
diff --git a/docs/6.14/interfaces/SearchIndexDescription.html b/docs/6.14/interfaces/SearchIndexDescription.html new file mode 100644 index 00000000000..cf2709f7f22 --- /dev/null +++ b/docs/6.14/interfaces/SearchIndexDescription.html @@ -0,0 +1,7 @@ +SearchIndexDescription | mongodb

Interface SearchIndexDescription

interface SearchIndexDescription {
    definition: Document;
    name?: string;
    type?: string;
}

Hierarchy (view full)

Properties

Properties

definition: Document

The index definition.

+
name?: string

The name of the index.

+
type?: string

The type of the index. Currently search or vectorSearch are supported.

+
diff --git a/docs/6.14/interfaces/SelectServerOptions.html b/docs/6.14/interfaces/SelectServerOptions.html new file mode 100644 index 00000000000..2fb3aa0953e --- /dev/null +++ b/docs/6.14/interfaces/SelectServerOptions.html @@ -0,0 +1,7 @@ +SelectServerOptions | mongodb

Interface SelectServerOptions

interface SelectServerOptions {
    operationName: string;
    previousServer?: ServerDescription;
    readPreference?: ReadPreferenceLike;
    serverSelectionTimeoutMS?: number;
    session?: ClientSession;
}

Properties

operationName: string
previousServer?: ServerDescription
readPreference?: ReadPreferenceLike
serverSelectionTimeoutMS?: number

How long to block for server selection before throwing an error

+
session?: ClientSession
diff --git a/docs/6.14/interfaces/ServerApi.html b/docs/6.14/interfaces/ServerApi.html new file mode 100644 index 00000000000..65454182199 --- /dev/null +++ b/docs/6.14/interfaces/ServerApi.html @@ -0,0 +1,4 @@ +ServerApi | mongodb

Interface ServerApi

interface ServerApi {
    deprecationErrors?: boolean;
    strict?: boolean;
    version: "1";
}

Properties

deprecationErrors?: boolean
strict?: boolean
version: "1"
diff --git a/docs/6.14/interfaces/StreamDescriptionOptions.html b/docs/6.14/interfaces/StreamDescriptionOptions.html new file mode 100644 index 00000000000..a8b9049f0fa --- /dev/null +++ b/docs/6.14/interfaces/StreamDescriptionOptions.html @@ -0,0 +1,4 @@ +StreamDescriptionOptions | mongodb

Interface StreamDescriptionOptions

interface StreamDescriptionOptions {
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[];
    loadBalanced: boolean;
    logicalSessionTimeoutMinutes?: number;
}

Hierarchy (view full)

Properties

compressors?: (
    | "none"
    | "snappy"
    | "zlib"
    | "zstd")[]
loadBalanced: boolean
logicalSessionTimeoutMinutes?: number
diff --git a/docs/6.14/interfaces/TimeSeriesCollectionOptions.html b/docs/6.14/interfaces/TimeSeriesCollectionOptions.html new file mode 100644 index 00000000000..a81f73eceb5 --- /dev/null +++ b/docs/6.14/interfaces/TimeSeriesCollectionOptions.html @@ -0,0 +1,8 @@ +TimeSeriesCollectionOptions | mongodb

Interface TimeSeriesCollectionOptions

Configuration options for timeseries collections

+
interface TimeSeriesCollectionOptions {
    bucketMaxSpanSeconds?: number;
    bucketRoundingSeconds?: number;
    granularity?: string;
    metaField?: string;
    timeField: string;
}

Hierarchy (view full)

Properties

bucketMaxSpanSeconds?: number
bucketRoundingSeconds?: number
granularity?: string
metaField?: string
timeField: string
diff --git a/docs/6.14/interfaces/TopologyDescriptionOptions.html b/docs/6.14/interfaces/TopologyDescriptionOptions.html new file mode 100644 index 00000000000..c1ca6fbddfc --- /dev/null +++ b/docs/6.14/interfaces/TopologyDescriptionOptions.html @@ -0,0 +1,3 @@ +TopologyDescriptionOptions | mongodb

Interface TopologyDescriptionOptions

interface TopologyDescriptionOptions {
    heartbeatFrequencyMS?: number;
    localThresholdMS?: number;
}

Properties

heartbeatFrequencyMS?: number
localThresholdMS?: number
diff --git a/docs/6.14/interfaces/TopologyVersion.html b/docs/6.14/interfaces/TopologyVersion.html new file mode 100644 index 00000000000..ad759ad8e7b --- /dev/null +++ b/docs/6.14/interfaces/TopologyVersion.html @@ -0,0 +1,3 @@ +TopologyVersion | mongodb

Interface TopologyVersion

interface TopologyVersion {
    counter: Long;
    processId: ObjectId;
}

Properties

Properties

counter: Long
processId: ObjectId
diff --git a/docs/6.14/interfaces/TransactionOptions.html b/docs/6.14/interfaces/TransactionOptions.html new file mode 100644 index 00000000000..0a9fd51f5c3 --- /dev/null +++ b/docs/6.14/interfaces/TransactionOptions.html @@ -0,0 +1,72 @@ +TransactionOptions | mongodb

Interface TransactionOptions

Configuration options for a transaction.

+
interface TransactionOptions {
    authdb?: string;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxCommitTimeMS?: number;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern;
}

Hierarchy

Properties

authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxCommitTimeMS?: number

Specifies the maximum amount of time to allow a commit action on a transaction to run in milliseconds

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

A default read concern for commands in this transaction

+
readPreference?: ReadPreferenceLike

A default read preference for commands in this transaction

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean
writeConcern?: WriteConcern

A default writeConcern for commands in this transaction

+
diff --git a/docs/6.14/interfaces/UpdateDescription.html b/docs/6.14/interfaces/UpdateDescription.html new file mode 100644 index 00000000000..e4b680caac6 --- /dev/null +++ b/docs/6.14/interfaces/UpdateDescription.html @@ -0,0 +1,27 @@ +UpdateDescription | mongodb

Interface UpdateDescription<TSchema>

interface UpdateDescription<TSchema> {
    disambiguatedPaths?: Document;
    removedFields?: string[];
    truncatedArrays?: {
        field: string;
        newSize: number;
    }[];
    updatedFields?: Partial<TSchema>;
}

Type Parameters

Properties

disambiguatedPaths?: Document

A document containing additional information about any ambiguous update paths from the update event. The document +maps the full ambiguous update path to an array containing the actual resolved components of the path. For example, +given a document shaped like { a: { '0': 0 } }, and an update of { $inc: 'a.0' }, disambiguated paths would look like +the following:

+
  {
'a.0': ['a', '0']
} +
+ +

This field is only present when there are ambiguous paths that are updated as a part of the update event and showExpandedEvents +is enabled for the change stream.

+

6.1.0

+
removedFields?: string[]

An array of field names that were removed from the document.

+
truncatedArrays?: {
    field: string;
    newSize: number;
}[]

An array of documents which record array truncations performed with pipeline-based updates using one or more of the following stages:

+
    +
  • $addFields
  • +
  • $set
  • +
  • $replaceRoot
  • +
  • $replaceWith
  • +
+

Type declaration

  • field: string

    The name of the truncated field.

    +
  • newSize: number

    The number of elements in the truncated array.

    +
updatedFields?: Partial<TSchema>

A document containing key:value pairs of names of the fields that were +changed, and the new value for those fields.

+
diff --git a/docs/6.14/interfaces/UpdateManyModel.html b/docs/6.14/interfaces/UpdateManyModel.html new file mode 100644 index 00000000000..d28f11473d9 --- /dev/null +++ b/docs/6.14/interfaces/UpdateManyModel.html @@ -0,0 +1,15 @@ +UpdateManyModel | mongodb

Interface UpdateManyModel<TSchema>

interface UpdateManyModel<TSchema> {
    arrayFilters?: Document[];
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    update: Document[] | UpdateFilter<TSchema>;
    upsert?: boolean;
}

Type Parameters

Properties

arrayFilters?: Document[]

A set of filters specifying to which array elements an update should apply.

+
collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter to limit the updated documents.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+

The modifications to apply. The value can be either: +UpdateFilter - A document that contains update operator expressions, +Document[] - an aggregation pipeline.

+
upsert?: boolean

When true, creates a new document if no document matches the query.

+
diff --git a/docs/6.14/interfaces/UpdateOneModel.html b/docs/6.14/interfaces/UpdateOneModel.html new file mode 100644 index 00000000000..6cf539ba26b --- /dev/null +++ b/docs/6.14/interfaces/UpdateOneModel.html @@ -0,0 +1,15 @@ +UpdateOneModel | mongodb

Interface UpdateOneModel<TSchema>

interface UpdateOneModel<TSchema> {
    arrayFilters?: Document[];
    collation?: CollationOptions;
    filter: Filter<TSchema>;
    hint?: Hint;
    update: Document[] | UpdateFilter<TSchema>;
    upsert?: boolean;
}

Type Parameters

Properties

arrayFilters?: Document[]

A set of filters specifying to which array elements an update should apply.

+
collation?: CollationOptions

Specifies a collation.

+
filter: Filter<TSchema>

The filter to limit the updated documents.

+
hint?: Hint

The index to use. If specified, then the query system will only consider plans using the hinted index.

+

The modifications to apply. The value can be either: +UpdateFilter - A document that contains update operator expressions, +Document[] - an aggregation pipeline.

+
upsert?: boolean

When true, creates a new document if no document matches the query.

+
diff --git a/docs/6.14/interfaces/UpdateOptions.html b/docs/6.14/interfaces/UpdateOptions.html new file mode 100644 index 00000000000..be7e710fe9b --- /dev/null +++ b/docs/6.14/interfaces/UpdateOptions.html @@ -0,0 +1,81 @@ +UpdateOptions | mongodb

Interface UpdateOptions

interface UpdateOptions {
    arrayFilters?: Document[];
    authdb?: string;
    bsonRegExp?: boolean;
    bypassDocumentValidation?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    hint?: Hint;
    ignoreUndefined?: boolean;
    let?: Document;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    upsert?: boolean;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

arrayFilters?: Document[]

A set of filters specifying to which array elements an update should apply

+
authdb?: string
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
bypassDocumentValidation?: boolean

If true, allows the write to opt-out of document level validation

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Specifies a collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
hint?: Hint

Specify that the update query should only consider plans using the hinted index

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
let?: Document

Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
upsert?: boolean

When true, creates a new document if no document matches the query

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/UpdateResult.html b/docs/6.14/interfaces/UpdateResult.html new file mode 100644 index 00000000000..aac62bb024a --- /dev/null +++ b/docs/6.14/interfaces/UpdateResult.html @@ -0,0 +1,12 @@ +UpdateResult | mongodb

Interface UpdateResult<TSchema>

TSchema is the schema of the collection

+
interface UpdateResult<TSchema> {
    acknowledged: boolean;
    matchedCount: number;
    modifiedCount: number;
    upsertedCount: number;
    upsertedId: null | InferIdType<TSchema>;
}

Type Parameters

Properties

acknowledged: boolean

Indicates whether this write result was acknowledged. If not, then all other members of this result will be undefined

+
matchedCount: number

The number of documents that matched the filter

+
modifiedCount: number

The number of documents that were modified

+
upsertedCount: number

The number of documents that were upserted

+
upsertedId: null | InferIdType<TSchema>

The identifier of the inserted document if an upsert took place

+
diff --git a/docs/6.14/interfaces/UpdateStatement.html b/docs/6.14/interfaces/UpdateStatement.html new file mode 100644 index 00000000000..7177613a182 --- /dev/null +++ b/docs/6.14/interfaces/UpdateStatement.html @@ -0,0 +1,15 @@ +UpdateStatement | mongodb

Interface UpdateStatement

interface UpdateStatement {
    arrayFilters?: Document[];
    collation?: CollationOptions;
    hint?: Hint;
    multi?: boolean;
    q: Document;
    u: Document | Document[];
    upsert?: boolean;
}

Properties

arrayFilters?: Document[]

An array of filter documents that determines which array elements to modify for an update operation on an array field.

+
collation?: CollationOptions

Specifies the collation to use for the operation.

+
hint?: Hint

A document or string that specifies the index to use to support the query predicate.

+
multi?: boolean

If true, updates all documents that meet the query criteria.

+

The query that matches documents to update.

+

The modifications to apply.

+
upsert?: boolean

If true, perform an insert if no documents match the query.

+
diff --git a/docs/6.14/interfaces/ValidateCollectionOptions.html b/docs/6.14/interfaces/ValidateCollectionOptions.html new file mode 100644 index 00000000000..07ec0be919a --- /dev/null +++ b/docs/6.14/interfaces/ValidateCollectionOptions.html @@ -0,0 +1,73 @@ +ValidateCollectionOptions | mongodb

Interface ValidateCollectionOptions

interface ValidateCollectionOptions {
    authdb?: string;
    background?: boolean;
    bsonRegExp?: boolean;
    checkKeys?: boolean;
    collation?: CollationOptions;
    comment?: unknown;
    dbName?: string;
    enableUtf8Validation?: boolean;
    explain?: ExplainVerbosityLike | ExplainCommandOptions;
    fieldsAsRaw?: Document;
    ignoreUndefined?: boolean;
    maxTimeMS?: number;
    noResponse?: boolean;
    omitReadPreference?: boolean;
    promoteBuffers?: boolean;
    promoteLongs?: boolean;
    promoteValues?: boolean;
    raw?: boolean;
    readConcern?: ReadConcernLike;
    readPreference?: ReadPreferenceLike;
    retryWrites?: boolean;
    serializeFunctions?: boolean;
    session?: ClientSession;
    timeoutMS?: number;
    useBigInt64?: boolean;
    willRetryWrite?: boolean;
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

authdb?: string
background?: boolean

Validates a collection in the background, without interrupting read or write traffic (only in MongoDB 4.4+)

+
bsonRegExp?: boolean

return BSON regular expressions as BSONRegExp instances.

+

false

+
checkKeys?: boolean

the serializer will check if keys are valid.

+

false

+
collation?: CollationOptions

Collation

+
comment?: unknown

Comment to apply to the operation.

+

In server versions pre-4.4, 'comment' must be string. A server +error will be thrown if any other type is provided.

+

In server versions 4.4 and above, 'comment' can be any valid BSON type.

+
dbName?: string
enableUtf8Validation?: boolean

Enable utf8 validation when deserializing BSON documents. Defaults to true.

+

Specifies the verbosity mode for the explain output.

+
fieldsAsRaw?: Document

allow to specify if there what fields we wish to return as unserialized raw buffer.

+

null

+
ignoreUndefined?: boolean

serialize will not emit undefined fields +note that the driver sets this to false

+

true

+
maxTimeMS?: number

maxTimeMS is a server-side time limit in milliseconds for processing an operation.

+
noResponse?: boolean
omitReadPreference?: boolean
promoteBuffers?: boolean

when deserializing a Binary will return it as a node.js Buffer instance.

+

false

+
promoteLongs?: boolean

when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

+

true

+
promoteValues?: boolean

when deserializing will promote BSON values to their Node.js closest equivalent types.

+

true

+
raw?: boolean

Enabling the raw option will return a Node.js Buffer +which is allocated using allocUnsafe API. +See this section from the Node.js Docs here +for more detail about what "unsafe" refers to in this context. +If you need to maintain your own editable clone of the bytes returned for an extended life time of the process, it is recommended you allocate +your own buffer and clone the contents:

+
const raw = await collection.findOne({}, { raw: true });
const myBuffer = Buffer.alloc(raw.byteLength);
myBuffer.set(raw, 0);
// Only save and use `myBuffer` beyond this point +
+ +

Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). +It does correctly work at Db, Collection, and per operation the same as other BSON options work.

+
readConcern?: ReadConcernLike

Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

+
readPreference?: ReadPreferenceLike

The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

+
retryWrites?: boolean

Should retry failed writes

+
serializeFunctions?: boolean

serialize the javascript functions

+

false

+
session?: ClientSession

Specify ClientSession for this command

+
timeoutMS?: number

Specifies the time an operation will run until it throws a timeout error

+
useBigInt64?: boolean

when deserializing a Long return as a BigInt.

+

false

+
willRetryWrite?: boolean

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/WriteConcernErrorData.html b/docs/6.14/interfaces/WriteConcernErrorData.html new file mode 100644 index 00000000000..ae165e753c1 --- /dev/null +++ b/docs/6.14/interfaces/WriteConcernErrorData.html @@ -0,0 +1,4 @@ +WriteConcernErrorData | mongodb

Interface WriteConcernErrorData

interface WriteConcernErrorData {
    code: number;
    errInfo?: Document;
    errmsg: string;
}

Properties

Properties

code: number
errInfo?: Document
errmsg: string
diff --git a/docs/6.14/interfaces/WriteConcernErrorResult.html b/docs/6.14/interfaces/WriteConcernErrorResult.html new file mode 100644 index 00000000000..96fbf33ed6b --- /dev/null +++ b/docs/6.14/interfaces/WriteConcernErrorResult.html @@ -0,0 +1,6 @@ +WriteConcernErrorResult | mongodb

Interface WriteConcernErrorResult

The type of the result property of MongoWriteConcernError

+
interface WriteConcernErrorResult {
    code?: number;
    errorLabels?: string[];
    ok: number;
    writeConcernError: {
        code: number;
        codeName?: string;
        errInfo?: Document;
        errmsg: string;
    };
    [x: string | number]: unknown;
}

Indexable

  • [x: string | number]: unknown

Properties

code?: number
errorLabels?: string[]
ok: number
writeConcernError: {
    code: number;
    codeName?: string;
    errInfo?: Document;
    errmsg: string;
}
diff --git a/docs/6.14/interfaces/WriteConcernOptions.html b/docs/6.14/interfaces/WriteConcernOptions.html new file mode 100644 index 00000000000..9ca5c2dc879 --- /dev/null +++ b/docs/6.14/interfaces/WriteConcernOptions.html @@ -0,0 +1,3 @@ +WriteConcernOptions | mongodb

Interface WriteConcernOptions

interface WriteConcernOptions {
    writeConcern?: WriteConcern | WriteConcernSettings;
}

Hierarchy (view full)

Properties

Properties

Write Concern as an object

+
diff --git a/docs/6.14/interfaces/WriteConcernSettings.html b/docs/6.14/interfaces/WriteConcernSettings.html new file mode 100644 index 00000000000..d6a7cb71d6c --- /dev/null +++ b/docs/6.14/interfaces/WriteConcernSettings.html @@ -0,0 +1,15 @@ +WriteConcernSettings | mongodb

Interface WriteConcernSettings

interface WriteConcernSettings {
    fsync?: boolean | 1;
    j?: boolean;
    journal?: boolean;
    w?: W;
    wtimeout?: number;
    wtimeoutMS?: number;
}

Properties

fsync?: boolean | 1

The file sync write concern.

+

Will be removed in the next major version. Please use the journal option.

+
j?: boolean

The journal write concern.

+

Will be removed in the next major version. Please use the journal option.

+
journal?: boolean

The journal write concern

+
w?: W

The write concern

+
wtimeout?: number

The write concern timeout.

+
wtimeoutMS?: number

The write concern timeout.

+
diff --git a/docs/6.14/media/LICENSE.md b/docs/6.14/media/LICENSE.md new file mode 100644 index 00000000000..ad410e11302 --- /dev/null +++ b/docs/6.14/media/LICENSE.md @@ -0,0 +1,201 @@ +Apache License + Version 2.0, January 2004 + http://www.apache.org/licenses/ + + TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION + + 1. Definitions. + + "License" shall mean the terms and conditions for use, reproduction, + and distribution as defined by Sections 1 through 9 of this document. + + "Licensor" shall mean the copyright owner or entity authorized by + the copyright owner that is granting the License. + + "Legal Entity" shall mean the union of the acting entity and all + other entities that control, are controlled by, or are under common + control with that entity. For the purposes of this definition, + "control" means (i) the power, direct or indirect, to cause the + direction or management of such entity, whether by contract or + otherwise, or (ii) ownership of fifty percent (50%) or more of the + outstanding shares, or (iii) beneficial ownership of such entity. + + "You" (or "Your") shall mean an individual or Legal Entity + exercising permissions granted by this License. + + "Source" form shall mean the preferred form for making modifications, + including but not limited to software source code, documentation + source, and configuration files. + + "Object" form shall mean any form resulting from mechanical + transformation or translation of a Source form, including but + not limited to compiled object code, generated documentation, + and conversions to other media types. + + "Work" shall mean the work of authorship, whether in Source or + Object form, made available under the License, as indicated by a + copyright notice that is included in or attached to the work + (an example is provided in the Appendix below). + + "Derivative Works" shall mean any work, whether in Source or Object + form, that is based on (or derived from) the Work and for which the + editorial revisions, annotations, elaborations, or other modifications + represent, as a whole, an original work of authorship. For the purposes + of this License, Derivative Works shall not include works that remain + separable from, or merely link (or bind by name) to the interfaces of, + the Work and Derivative Works thereof. + + "Contribution" shall mean any work of authorship, including + the original version of the Work and any modifications or additions + to that Work or Derivative Works thereof, that is intentionally + submitted to Licensor for inclusion in the Work by the copyright owner + or by an individual or Legal Entity authorized to submit on behalf of + the copyright owner. For the purposes of this definition, "submitted" + means any form of electronic, verbal, or written communication sent + to the Licensor or its representatives, including but not limited to + communication on electronic mailing lists, source code control systems, + and issue tracking systems that are managed by, or on behalf of, the + Licensor for the purpose of discussing and improving the Work, but + excluding communication that is conspicuously marked or otherwise + designated in writing by the copyright owner as "Not a Contribution." + + "Contributor" shall mean Licensor and any individual or Legal Entity + on behalf of whom a Contribution has been received by Licensor and + subsequently incorporated within the Work. + + 2. Grant of Copyright License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + copyright license to reproduce, prepare Derivative Works of, + publicly display, publicly perform, sublicense, and distribute the + Work and such Derivative Works in Source or Object form. + + 3. Grant of Patent License. Subject to the terms and conditions of + this License, each Contributor hereby grants to You a perpetual, + worldwide, non-exclusive, no-charge, royalty-free, irrevocable + (except as stated in this section) patent license to make, have made, + use, offer to sell, sell, import, and otherwise transfer the Work, + where such license applies only to those patent claims licensable + by such Contributor that are necessarily infringed by their + Contribution(s) alone or by combination of their Contribution(s) + with the Work to which such Contribution(s) was submitted. If You + institute patent litigation against any entity (including a + cross-claim or counterclaim in a lawsuit) alleging that the Work + or a Contribution incorporated within the Work constitutes direct + or contributory patent infringement, then any patent licenses + granted to You under this License for that Work shall terminate + as of the date such litigation is filed. + + 4. Redistribution. You may reproduce and distribute copies of the + Work or Derivative Works thereof in any medium, with or without + modifications, and in Source or Object form, provided that You + meet the following conditions: + + (a) You must give any other recipients of the Work or + Derivative Works a copy of this License; and + + (b) You must cause any modified files to carry prominent notices + stating that You changed the files; and + + (c) You must retain, in the Source form of any Derivative Works + that You distribute, all copyright, patent, trademark, and + attribution notices from the Source form of the Work, + excluding those notices that do not pertain to any part of + the Derivative Works; and + + (d) If the Work includes a "NOTICE" text file as part of its + distribution, then any Derivative Works that You distribute must + include a readable copy of the attribution notices contained + within such NOTICE file, excluding those notices that do not + pertain to any part of the Derivative Works, in at least one + of the following places: within a NOTICE text file distributed + as part of the Derivative Works; within the Source form or + documentation, if provided along with the Derivative Works; or, + within a display generated by the Derivative Works, if and + wherever such third-party notices normally appear. The contents + of the NOTICE file are for informational purposes only and + do not modify the License. You may add Your own attribution + notices within Derivative Works that You distribute, alongside + or as an addendum to the NOTICE text from the Work, provided + that such additional attribution notices cannot be construed + as modifying the License. + + You may add Your own copyright statement to Your modifications and + may provide additional or different license terms and conditions + for use, reproduction, or distribution of Your modifications, or + for any such Derivative Works as a whole, provided Your use, + reproduction, and distribution of the Work otherwise complies with + the conditions stated in this License. + + 5. Submission of Contributions. Unless You explicitly state otherwise, + any Contribution intentionally submitted for inclusion in the Work + by You to the Licensor shall be under the terms and conditions of + this License, without any additional terms or conditions. + Notwithstanding the above, nothing herein shall supersede or modify + the terms of any separate license agreement you may have executed + with Licensor regarding such Contributions. + + 6. Trademarks. This License does not grant permission to use the trade + names, trademarks, service marks, or product names of the Licensor, + except as required for reasonable and customary use in describing the + origin of the Work and reproducing the content of the NOTICE file. + + 7. Disclaimer of Warranty. Unless required by applicable law or + agreed to in writing, Licensor provides the Work (and each + Contributor provides its Contributions) on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or + implied, including, without limitation, any warranties or conditions + of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A + PARTICULAR PURPOSE. You are solely responsible for determining the + appropriateness of using or redistributing the Work and assume any + risks associated with Your exercise of permissions under this License. + + 8. Limitation of Liability. In no event and under no legal theory, + whether in tort (including negligence), contract, or otherwise, + unless required by applicable law (such as deliberate and grossly + negligent acts) or agreed to in writing, shall any Contributor be + liable to You for damages, including any direct, indirect, special, + incidental, or consequential damages of any character arising as a + result of this License or out of the use or inability to use the + Work (including but not limited to damages for loss of goodwill, + work stoppage, computer failure or malfunction, or any and all + other commercial damages or losses), even if such Contributor + has been advised of the possibility of such damages. + + 9. Accepting Warranty or Additional Liability. While redistributing + the Work or Derivative Works thereof, You may choose to offer, + and charge a fee for, acceptance of support, warranty, indemnity, + or other liability obligations and/or rights consistent with this + License. However, in accepting such obligations, You may act only + on Your own behalf and on Your sole responsibility, not on behalf + of any other Contributor, and only if You agree to indemnify, + defend, and hold each Contributor harmless for any liability + incurred by, or claims asserted against, such Contributor by reason + of your accepting any such warranty or additional liability. + + END OF TERMS AND CONDITIONS + + APPENDIX: How to apply the Apache License to your work. + + To apply the Apache License to your work, attach the following + boilerplate notice, with the fields enclosed by brackets "{}" + replaced with your own identifying information. (Don't include + the brackets!) The text should be enclosed in the appropriate + comment syntax for the file format. We also recommend that a + file or class name and description of purpose be included on the + same "printed page" as the copyright notice for easier + identification within third-party archives. + + Copyright {yyyy} {name of copyright owner} + + Licensed under the Apache License, Version 2.0 (the "License"); + you may not use this file except in compliance with the License. + You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + + Unless required by applicable law or agreed to in writing, software + distributed under the License is distributed on an "AS IS" BASIS, + WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + See the License for the specific language governing permissions and + limitations under the License. \ No newline at end of file diff --git a/docs/6.14/modules.html b/docs/6.14/modules.html new file mode 100644 index 00000000000..adde2bc93ec --- /dev/null +++ b/docs/6.14/modules.html @@ -0,0 +1,436 @@ +mongodb

mongodb

Error

Error + +The `MongoOperationTimeoutError` class represents an error that occurs when an operation could not be completed within the specified `timeoutMS`. +It is generated by the driver in support of the "client side operation timeout" feature so inherits from `MongoDriverError`. +When `timeoutMS` is enabled `MongoServerError`s relating to `MaxTimeExpired` errors will be converted to `MongoOperationTimeoutError`

Event

Other

Binary +BSONRegExp +BSONSymbol +BSONType +Code +DBRef +Decimal128 +deserialize +Document +Double +Int32 +Long +MaxKey +MinKey +ObjectId +serialize +Timestamp +UUID +BSON +AbstractCursor +Admin +AggregationCursor +Batch +BulkOperationBase +BulkWriteResult +CancellationToken +ChangeStream +ClientEncryption +ClientSession +Collection +Db +ExplainableCursor +FindCursor +FindOperators +GridFSBucket +GridFSBucketReadStream +GridFSBucketWriteStream +HostAddress +ListCollectionsCursor +ListIndexesCursor +ListSearchIndexesCursor +MongoClient +MongoCredentials +MongoCryptAzureKMSRequestError +MongoCryptCreateDataKeyError +MongoCryptCreateEncryptedCollectionError +MongoCryptError +MongoCryptInvalidArgumentError +MongoCryptKMSRequestNetworkTimeoutError +MongoDBCollectionNamespace +MongoDBNamespace +OrderedBulkOperation +ReadConcern +ReadPreference +RunCommandCursor +ServerCapabilities +ServerDescription +ServerSession +StreamDescription +TopologyDescription +Transaction +TypedEventEmitter +UnorderedBulkOperation +WriteConcern +AbstractCursorOptions +AggregateOptions +AggregationCursorOptions +AsyncDisposable +Auth +AuthMechanismProperties +AutoEncryptionOptions +AWSEncryptionKeyOptions +AWSKMSProviderConfiguration +AzureEncryptionKeyOptions +BSONSerializeOptions +BulkWriteOperationError +BulkWriteOptions +ChangeStreamCollModDocument +ChangeStreamCreateDocument +ChangeStreamCreateIndexDocument +ChangeStreamDeleteDocument +ChangeStreamDocumentCollectionUUID +ChangeStreamDocumentCommon +ChangeStreamDocumentKey +ChangeStreamDocumentOperationDescription +ChangeStreamDropDatabaseDocument +ChangeStreamDropDocument +ChangeStreamDropIndexDocument +ChangeStreamInsertDocument +ChangeStreamInvalidateDocument +ChangeStreamNameSpace +ChangeStreamOptions +ChangeStreamRefineCollectionShardKeyDocument +ChangeStreamRenameDocument +ChangeStreamReplaceDocument +ChangeStreamReshardCollectionDocument +ChangeStreamShardCollectionDocument +ChangeStreamSplitEvent +ChangeStreamUpdateDocument +ClientBulkWriteError +ClientBulkWriteOptions +ClientBulkWriteResult +ClientDeleteManyModel +ClientDeleteOneModel +ClientDeleteResult +ClientEncryptionCreateDataKeyProviderOptions +ClientEncryptionEncryptOptions +ClientEncryptionOptions +ClientEncryptionRewrapManyDataKeyProviderOptions +ClientEncryptionRewrapManyDataKeyResult +ClientInsertOneModel +ClientInsertOneResult +ClientMetadata +ClientMetadataOptions +ClientReplaceOneModel +ClientSessionOptions +ClientUpdateManyModel +ClientUpdateOneModel +ClientUpdateResult +ClientWriteModel +CloseOptions +ClusteredCollectionOptions +ClusterTime +CollationOptions +CollectionInfo +CollectionOptions +CommandOperationOptions +ConnectionOptions +ConnectionPoolOptions +ConnectOptions +CountDocumentsOptions +CountOptions +CreateCollectionOptions +CreateIndexesOptions +CursorStreamOptions +DataKey +DbOptions +DbStatsOptions +DeleteManyModel +DeleteOneModel +DeleteOptions +DeleteResult +DeleteStatement +DriverInfo +DropCollectionOptions +EndSessionOptions +ErrorDescription +EstimatedDocumentCountOptions +ExplainCommandOptions +ExplainOptions +FilterOperators +FindOneAndDeleteOptions +FindOneAndReplaceOptions +FindOneAndUpdateOptions +FindOptions +GCPEncryptionKeyOptions +GridFSBucketOptions +GridFSBucketReadStreamOptions +GridFSBucketReadStreamOptionsWithRevision +GridFSBucketWriteStreamOptions +GridFSChunk +GridFSFile +HedgeOptions +IdPInfo +IdPServerResponse +IndexDescription +IndexInformationOptions +InsertManyResult +InsertOneModel +InsertOneOptions +InsertOneResult +KMIPEncryptionKeyOptions +KMIPKMSProviderConfiguration +KMSProviders +ListCollectionsOptions +ListDatabasesOptions +ListDatabasesResult +LocalKMSProviderConfiguration +Log +LogComponentSeveritiesClientOptions +ModifyResult +MongoClientOptions +MongoCredentialsOptions +MongoDBLogWritable +MongoNetworkErrorOptions +MongoOptions +MonitorOptions +OIDCCallbackParams +OIDCResponse +OperationOptions +PkFactory +ProxyOptions +RangeOptions +ReadPreferenceFromOptions +ReadPreferenceLikeOptions +ReadPreferenceOptions +RenameOptions +ReplaceOneModel +ReplaceOptions +ResumeOptions +RootFilterOperators +SearchIndexDescription +SelectServerOptions +ServerApi +StreamDescriptionOptions +TimeSeriesCollectionOptions +TopologyDescriptionOptions +TopologyVersion +TransactionOptions +UpdateDescription +UpdateManyModel +UpdateOneModel +UpdateOptions +UpdateResult +UpdateStatement +ValidateCollectionOptions +WriteConcernErrorData +WriteConcernErrorResult +WriteConcernOptions +WriteConcernSettings +Abortable +AbstractCursorEvents +AcceptedFields +AddToSetOperators +AlternativeType +AnyBulkWriteOperation +AnyClientBulkWriteModel +AnyError +ArrayElement +ArrayOperator +AuthMechanism +AutoEncryptionExtraOptions +AutoEncryptionLoggerLevel +AzureKMSProviderConfiguration +BatchType +BitwiseFilter +BSONTypeAlias +Callback +ChangeStreamDocument +ChangeStreamEvents +ClientBulkWriteModel +ClientEncryptionDataKeyProvider +ClientEncryptionSocketOptions +ClientEncryptionTlsOptions +ClientSessionEvents +CommonEvents +Compressor +CompressorName +Condition +ConnectionEvents +ConnectionPoolEvents +CSFLEKMSTlsOptions +CursorFlag +CursorTimeoutMode +DistinctOptions +DropDatabaseOptions +DropIndexesOptions +EnhancedOmit +EventEmitterWithState +EventsDescription +ExplainVerbosity +ExplainVerbosityLike +Filter +FilterOperations +Flatten +GCPKMSProviderConfiguration +GenericListener +GridFSBucketEvents +GSSAPICanonicalizationValue +Hint +IndexDescriptionCompact +IndexDescriptionInfo +IndexDirection +IndexSpecification +InferIdType +IntegerType +IsAny +Join +KeysOfAType +KeysOfOtherType +ListIndexesOptions +ListSearchIndexesOptions +MatchKeysAndValues +MongoClientEvents +MongoErrorLabel +MongoLoggableComponent +MonitorEvents +NestedPaths +NestedPathsOfType +NonObjectIdLikeDocument +NotAcceptedFields +NumericType +OIDCCallbackFunction +OneOrMore +OnlyFieldsOfType +OperationTime +OptionalId +OptionalUnlessRequiredId +ProfilingLevel +ProfilingLevelOptions +PropertyType +PullAllOperator +PullOperator +PushOperator +ReadConcernLevel +ReadConcernLike +ReadPreferenceLike +ReadPreferenceMode +RegExpOrString +RemoveUserOptions +ResumeToken +ReturnDocument +RunCommandOptions +RunCursorCommandOptions +SchemaMember +ServerApiVersion +ServerEvents +ServerMonitoringMode +ServerSessionId +ServerType +SetFields +SetProfilingLevelOptions +SeverityLevel +Sort +SortDirection +Stream +StrictFilter +StrictMatchKeysAndValues +StrictUpdateFilter +SupportedNodeConnectionOptions +SupportedSocketOptions +SupportedTLSConnectionOptions +SupportedTLSSocketOptions +TagSet +TopologyEvents +TopologyType +UpdateFilter +W +WithId +WithoutId +WithSessionCallback +WithTransactionCallback +AuthMechanism +AutoEncryptionLoggerLevel +BatchType +Compressor +CURSOR_FLAGS +CursorTimeoutMode +ExplainVerbosity +GSSAPICanonicalizationValue +LEGAL_TCP_SOCKET_OPTIONS +LEGAL_TLS_SOCKET_OPTIONS +MONGO_CLIENT_EVENTS +MongoErrorLabel +MongoLoggableComponent +ProfilingLevel +ReadConcernLevel +ReadPreferenceMode +ReturnDocument +ServerApiVersion +ServerMonitoringMode +ServerType +SeverityLevel +TopologyType +configureExplicitResourceManagement +

Other

Re-exports Binary
Re-exports BSONRegExp
Re-exports BSONSymbol
Re-exports BSONType
Re-exports Code
Re-exports DBRef
Re-exports Decimal128
Re-exports deserialize
Re-exports Document
Re-exports Double
Re-exports Int32
Re-exports Long
Re-exports MaxKey
Re-exports MinKey
Re-exports ObjectId
Re-exports serialize
Re-exports Timestamp
Re-exports UUID
diff --git a/docs/6.14/modules/BSON.html b/docs/6.14/modules/BSON.html new file mode 100644 index 00000000000..3193264c21d --- /dev/null +++ b/docs/6.14/modules/BSON.html @@ -0,0 +1,71 @@ +BSON | mongodb

Namespace BSON

Index

BSONType

BSONType + +A special type for _internal_ MongoDB use and is **not** associated with the regular Date type.

Error

Error + + + +An error generated when BSON bytes are invalid. +Reports the offset the parser was able to reach before encountering the error.

Error + +An error generated when BSON functions encounter an unexpected input +or reaches an unexpected/invalid internal state

Error + +`BSONError` objects are thrown when BSON encounters an error. + +This is the parent class for all the other errors thrown by this library.

Other

diff --git a/docs/6.14/types/Abortable.html b/docs/6.14/types/Abortable.html new file mode 100644 index 00000000000..6b34efc8d21 --- /dev/null +++ b/docs/6.14/types/Abortable.html @@ -0,0 +1,13 @@ +Abortable | mongodb

Type Alias Abortable

Abortable: {
    signal?: AbortSignal;
}

Type declaration

  • Optional Experimentalsignal?: AbortSignal

    When provided, the corresponding AbortController can be used to abort an asynchronous action.

    +

    The signal.reason value is used as the error thrown.

    +

    NOTE: If an abort signal aborts an operation while the driver is writing to the underlying +socket or reading the response from the server, the socket will be closed. +If signals are aborted at a high rate during socket read/writes this can lead to a high rate of connection reestablishment.

    +

    We plan to mitigate this in a future release, please follow NODE-6062 (timeoutMS expiration suffers the same limitation).

    +

    AbortSignals are likely a best fit for human interactive interruption (ex. ctrl-C) where the frequency +of cancellation is reasonably low. If a signal is programmatically aborted for 100s of operations you can empty +the driver's connection pool.

    +
    const controller = new AbortController();
    const { signal } = controller;
    process.on('SIGINT', () => controller.abort(new Error('^C pressed')));

    try {
    const res = await fetch('...', { signal });
    await collection.findOne(await res.json(), { signal });
    catch (error) {
    if (error === signal.reason) {
    // signal abort error handling
    }
    } +
    + +
diff --git a/docs/6.14/types/AbstractCursorEvents.html b/docs/6.14/types/AbstractCursorEvents.html new file mode 100644 index 00000000000..acc6f272edb --- /dev/null +++ b/docs/6.14/types/AbstractCursorEvents.html @@ -0,0 +1 @@ +AbstractCursorEvents | mongodb

Type Alias AbstractCursorEvents

AbstractCursorEvents: {
    close(): void;
}
diff --git a/docs/6.14/types/AcceptedFields.html b/docs/6.14/types/AcceptedFields.html new file mode 100644 index 00000000000..49fcc995cd2 --- /dev/null +++ b/docs/6.14/types/AcceptedFields.html @@ -0,0 +1 @@ +AcceptedFields | mongodb

Type Alias AcceptedFields<TSchema, FieldType, AssignableType>

AcceptedFields<TSchema, FieldType, AssignableType>: {
    readonly [key in KeysOfAType<TSchema, FieldType>]?: AssignableType
}

Type Parameters

  • TSchema
  • FieldType
  • AssignableType
diff --git a/docs/6.14/types/AddToSetOperators.html b/docs/6.14/types/AddToSetOperators.html new file mode 100644 index 00000000000..69506042628 --- /dev/null +++ b/docs/6.14/types/AddToSetOperators.html @@ -0,0 +1 @@ +AddToSetOperators | mongodb

Type Alias AddToSetOperators<Type>

AddToSetOperators<Type>: {
    $each?: Flatten<Type>[];
}

Type Parameters

  • Type
diff --git a/docs/6.14/types/AlternativeType.html b/docs/6.14/types/AlternativeType.html new file mode 100644 index 00000000000..804640f08b2 --- /dev/null +++ b/docs/6.14/types/AlternativeType.html @@ -0,0 +1,4 @@ +AlternativeType | mongodb

Type Alias AlternativeType<T>

AlternativeType<T>: T extends ReadonlyArray<infer U>
    ? T | RegExpOrString<U>
    : RegExpOrString<T>

It is possible to search using alternative types in mongodb e.g. +string types can be searched using a regex in mongo +array types can be searched using their element type

+

Type Parameters

  • T
diff --git a/docs/6.14/types/AnyBulkWriteOperation.html b/docs/6.14/types/AnyBulkWriteOperation.html new file mode 100644 index 00000000000..91d7e213b22 --- /dev/null +++ b/docs/6.14/types/AnyBulkWriteOperation.html @@ -0,0 +1 @@ +AnyBulkWriteOperation | mongodb

Type Alias AnyBulkWriteOperation<TSchema>

AnyBulkWriteOperation<TSchema>:
    | {
        insertOne: InsertOneModel<TSchema>;
    }
    | {
        replaceOne: ReplaceOneModel<TSchema>;
    }
    | {
        updateOne: UpdateOneModel<TSchema>;
    }
    | {
        updateMany: UpdateManyModel<TSchema>;
    }
    | {
        deleteOne: DeleteOneModel<TSchema>;
    }
    | {
        deleteMany: DeleteManyModel<TSchema>;
    }

Type Parameters

diff --git a/docs/6.14/types/AnyClientBulkWriteModel.html b/docs/6.14/types/AnyClientBulkWriteModel.html new file mode 100644 index 00000000000..f2e949d1382 --- /dev/null +++ b/docs/6.14/types/AnyClientBulkWriteModel.html @@ -0,0 +1,3 @@ +AnyClientBulkWriteModel | mongodb

Type Alias AnyClientBulkWriteModel<TSchema>

Used to represent any of the client bulk write models that can be passed as an array +to MongoClient#bulkWrite.

+

Type Parameters

diff --git a/docs/6.14/types/AnyError.html b/docs/6.14/types/AnyError.html new file mode 100644 index 00000000000..5bffafb12f5 --- /dev/null +++ b/docs/6.14/types/AnyError.html @@ -0,0 +1 @@ +AnyError | mongodb

Type Alias AnyError

AnyError: MongoError | Error
diff --git a/docs/6.14/types/ArrayElement.html b/docs/6.14/types/ArrayElement.html new file mode 100644 index 00000000000..10fb294fe57 --- /dev/null +++ b/docs/6.14/types/ArrayElement.html @@ -0,0 +1 @@ +ArrayElement | mongodb

Type Alias ArrayElement<Type>

ArrayElement<Type>: Type extends ReadonlyArray<infer Item>
    ? Item
    : never

Type Parameters

  • Type
diff --git a/docs/6.14/types/ArrayOperator.html b/docs/6.14/types/ArrayOperator.html new file mode 100644 index 00000000000..0d37532882d --- /dev/null +++ b/docs/6.14/types/ArrayOperator.html @@ -0,0 +1 @@ +ArrayOperator | mongodb

Type Alias ArrayOperator<Type>

ArrayOperator<Type>: {
    $each?: Flatten<Type>[];
    $position?: number;
    $slice?: number;
    $sort?: Sort;
}

Type Parameters

  • Type
diff --git a/docs/6.14/types/AuthMechanism.html b/docs/6.14/types/AuthMechanism.html new file mode 100644 index 00000000000..8dfdaa5086a --- /dev/null +++ b/docs/6.14/types/AuthMechanism.html @@ -0,0 +1 @@ +AuthMechanism | mongodb

Type Alias AuthMechanism

AuthMechanism: typeof AuthMechanism[keyof typeof AuthMechanism]
diff --git a/docs/6.14/types/AutoEncryptionExtraOptions.html b/docs/6.14/types/AutoEncryptionExtraOptions.html new file mode 100644 index 00000000000..d419424ca59 --- /dev/null +++ b/docs/6.14/types/AutoEncryptionExtraOptions.html @@ -0,0 +1,3 @@ +AutoEncryptionExtraOptions | mongodb

Type Alias AutoEncryptionExtraOptions

AutoEncryptionExtraOptions: NonNullable<AutoEncryptionOptions["extraOptions"]>

Extra options related to the mongocryptd process +* Available in MongoDB 6.0 or higher.

+
diff --git a/docs/6.14/types/AutoEncryptionLoggerLevel.html b/docs/6.14/types/AutoEncryptionLoggerLevel.html new file mode 100644 index 00000000000..279b666eb4b --- /dev/null +++ b/docs/6.14/types/AutoEncryptionLoggerLevel.html @@ -0,0 +1,32 @@ +AutoEncryptionLoggerLevel | mongodb

Type Alias AutoEncryptionLoggerLevel

AutoEncryptionLoggerLevel: typeof AutoEncryptionLoggerLevel[keyof typeof AutoEncryptionLoggerLevel]

The level of severity of the log message

+ + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
ValueLevel
0Fatal Error
1Error
2Warning
3Info
4Trace
+
diff --git a/docs/6.14/types/AzureKMSProviderConfiguration.html b/docs/6.14/types/AzureKMSProviderConfiguration.html new file mode 100644 index 00000000000..86ad355e232 --- /dev/null +++ b/docs/6.14/types/AzureKMSProviderConfiguration.html @@ -0,0 +1,9 @@ +AzureKMSProviderConfiguration | mongodb

Type Alias AzureKMSProviderConfiguration

AzureKMSProviderConfiguration: {
    clientId: string;
    clientSecret: string;
    identityPlatformEndpoint?: string;
    tenantId: string;
} | {
    accessToken: string;
}

Type declaration

  • clientId: string

    The client ID to authenticate a registered application

    +
  • clientSecret: string

    The client secret to authenticate a registered application

    +
  • OptionalidentityPlatformEndpoint?: string

    If present, a host with optional port. E.g. "example.com" or "example.com:443". +This is optional, and only needed if customer is using a non-commercial Azure instance +(e.g. a government or China account, which use different URLs). +Defaults to "login.microsoftonline.com"

    +
  • tenantId: string

    The tenant ID identifies the organization for the account

    +

Type declaration

  • accessToken: string

    If present, an access token to authenticate with Azure.

    +
diff --git a/docs/6.14/types/BSON.BSONType.html b/docs/6.14/types/BSON.BSONType.html new file mode 100644 index 00000000000..8b63cdabec5 --- /dev/null +++ b/docs/6.14/types/BSON.BSONType.html @@ -0,0 +1 @@ +BSONType | mongodb

Type Alias BSONType

BSONType: typeof BSON.BSONType[keyof typeof BSON.BSONType]
diff --git a/docs/6.14/types/BSON.BinarySequence.html b/docs/6.14/types/BSON.BinarySequence.html new file mode 100644 index 00000000000..f4cbf101a95 --- /dev/null +++ b/docs/6.14/types/BSON.BinarySequence.html @@ -0,0 +1 @@ +BinarySequence | mongodb

Type Alias BinarySequence

BinarySequence: Uint8Array | number[]
diff --git a/docs/6.14/types/BSON.CalculateObjectSizeOptions.html b/docs/6.14/types/BSON.CalculateObjectSizeOptions.html new file mode 100644 index 00000000000..98b914db04f --- /dev/null +++ b/docs/6.14/types/BSON.CalculateObjectSizeOptions.html @@ -0,0 +1 @@ +CalculateObjectSizeOptions | mongodb

Type Alias CalculateObjectSizeOptions

CalculateObjectSizeOptions: Pick<SerializeOptions, "serializeFunctions" | "ignoreUndefined">
diff --git a/docs/6.14/types/BSON.EJSONOptions.html b/docs/6.14/types/BSON.EJSONOptions.html new file mode 100644 index 00000000000..93f9213d088 --- /dev/null +++ b/docs/6.14/types/BSON.EJSONOptions.html @@ -0,0 +1,7 @@ +EJSONOptions | mongodb

Type Alias EJSONOptions

EJSONOptions: {
    legacy?: boolean;
    relaxed?: boolean;
    useBigInt64?: boolean;
}

Type declaration

  • Optionallegacy?: boolean

    Output using the Extended JSON v1 spec

    +

    false

    +
  • Optionalrelaxed?: boolean

    Enable Extended JSON's relaxed mode, which attempts to return native JS types where possible, rather than BSON types

    +

    false

    +
  • OptionaluseBigInt64?: boolean

    Enable native bigint support

    +

    false

    +
diff --git a/docs/6.14/types/BSON.LongWithoutOverrides.html b/docs/6.14/types/BSON.LongWithoutOverrides.html new file mode 100644 index 00000000000..b4598d571a6 --- /dev/null +++ b/docs/6.14/types/BSON.LongWithoutOverrides.html @@ -0,0 +1 @@ +LongWithoutOverrides | mongodb

Type Alias LongWithoutOverrides

LongWithoutOverrides: (new (low: unknown, high?: number | boolean, unsigned?: boolean) => {
    [P in Exclude<keyof Long, TimestampOverrides>]: Long[P]
})
diff --git a/docs/6.14/types/BSON.OnDemand.html b/docs/6.14/types/BSON.OnDemand.html new file mode 100644 index 00000000000..ba79f35deef --- /dev/null +++ b/docs/6.14/types/BSON.OnDemand.html @@ -0,0 +1,2 @@ +OnDemand | mongodb

Type Alias OnDemandExperimental

OnDemand: {
    BSONElement: BSONElement;
    ByteUtils: ByteUtils;
    NumberUtils: NumberUtils;
    parseToElements: ((this: void, bytes: Uint8Array, startOffset?: number) => Iterable<BSONElement>);
}

A new set of BSON APIs that are currently experimental and not intended for production use.

+
diff --git a/docs/6.14/types/BSON.TimestampOverrides.html b/docs/6.14/types/BSON.TimestampOverrides.html new file mode 100644 index 00000000000..abc978b65b0 --- /dev/null +++ b/docs/6.14/types/BSON.TimestampOverrides.html @@ -0,0 +1 @@ +TimestampOverrides | mongodb

Type Alias TimestampOverrides

TimestampOverrides:
    | "_bsontype"
    | "toExtendedJSON"
    | "fromExtendedJSON"
    | "inspect"
diff --git a/docs/6.14/types/BSON.UUIDExtended.html b/docs/6.14/types/BSON.UUIDExtended.html new file mode 100644 index 00000000000..0e0fd17ae61 --- /dev/null +++ b/docs/6.14/types/BSON.UUIDExtended.html @@ -0,0 +1 @@ +UUIDExtended | mongodb

Type Alias UUIDExtended

UUIDExtended: {
    $uuid: string;
}
diff --git a/docs/6.14/types/BSONTypeAlias.html b/docs/6.14/types/BSONTypeAlias.html new file mode 100644 index 00000000000..252c081680c --- /dev/null +++ b/docs/6.14/types/BSONTypeAlias.html @@ -0,0 +1 @@ +BSONTypeAlias | mongodb

Type Alias BSONTypeAlias

BSONTypeAlias: keyof typeof BSON.BSONType
diff --git a/docs/6.14/types/BatchType.html b/docs/6.14/types/BatchType.html new file mode 100644 index 00000000000..6f6cb59e548 --- /dev/null +++ b/docs/6.14/types/BatchType.html @@ -0,0 +1 @@ +BatchType | mongodb

Type Alias BatchType

BatchType: typeof BatchType[keyof typeof BatchType]
diff --git a/docs/6.14/types/BitwiseFilter.html b/docs/6.14/types/BitwiseFilter.html new file mode 100644 index 00000000000..8c33745fb3b --- /dev/null +++ b/docs/6.14/types/BitwiseFilter.html @@ -0,0 +1 @@ +BitwiseFilter | mongodb

Type Alias BitwiseFilter

BitwiseFilter: number | Binary | ReadonlyArray<number>
diff --git a/docs/6.14/types/CSFLEKMSTlsOptions.html b/docs/6.14/types/CSFLEKMSTlsOptions.html new file mode 100644 index 00000000000..df252c6a9bf --- /dev/null +++ b/docs/6.14/types/CSFLEKMSTlsOptions.html @@ -0,0 +1 @@ +CSFLEKMSTlsOptions | mongodb

Type Alias CSFLEKMSTlsOptions

CSFLEKMSTlsOptions: {
    aws?: ClientEncryptionTlsOptions;
    azure?: ClientEncryptionTlsOptions;
    gcp?: ClientEncryptionTlsOptions;
    kmip?: ClientEncryptionTlsOptions;
    local?: ClientEncryptionTlsOptions;
    [key: string]: ClientEncryptionTlsOptions | undefined;
}
diff --git a/docs/6.14/types/Callback.html b/docs/6.14/types/Callback.html new file mode 100644 index 00000000000..af3fb53ac7f --- /dev/null +++ b/docs/6.14/types/Callback.html @@ -0,0 +1,2 @@ +Callback | mongodb

Type Alias Callback<T>

Callback<T>: ((error?: AnyError, result?: T) => void)

MongoDB Driver style callback

+

Type Parameters

  • T = any
diff --git a/docs/6.14/types/ChangeStreamDocument.html b/docs/6.14/types/ChangeStreamDocument.html new file mode 100644 index 00000000000..54c4dd4bd19 --- /dev/null +++ b/docs/6.14/types/ChangeStreamDocument.html @@ -0,0 +1 @@ +ChangeStreamDocument | mongodb
diff --git a/docs/6.14/types/ChangeStreamEvents.html b/docs/6.14/types/ChangeStreamEvents.html new file mode 100644 index 00000000000..674eef31119 --- /dev/null +++ b/docs/6.14/types/ChangeStreamEvents.html @@ -0,0 +1,4 @@ +ChangeStreamEvents | mongodb

Type Alias ChangeStreamEvents<TSchema, TChange>

ChangeStreamEvents<TSchema, TChange>: {
    change(change: TChange): void;
    close(): void;
    end(): void;
    error(error: Error): void;
    init(response: any): void;
    more(response?: any): void;
    response(): void;
    resumeTokenChanged(token: unknown): void;
}

Type Parameters

Type declaration

  • change:function
  • close:function
    • Returns void

      Note that the close event is currently emitted whenever the internal ChangeStreamCursor +instance is closed, which can occur multiple times for a given ChangeStream instance.

      +

      TODO(NODE-6434): address this issue in NODE-6434

      +
  • end:function
  • error:function
  • init:function
  • more:function
  • response:function
  • resumeTokenChanged:function
diff --git a/docs/6.14/types/ClientBulkWriteModel.html b/docs/6.14/types/ClientBulkWriteModel.html new file mode 100644 index 00000000000..fc9e11d654f --- /dev/null +++ b/docs/6.14/types/ClientBulkWriteModel.html @@ -0,0 +1,6 @@ +ClientBulkWriteModel | mongodb

Type Alias ClientBulkWriteModel<SchemaMap>

ClientBulkWriteModel<SchemaMap>: {
    [Namespace in keyof SchemaMap]: AnyClientBulkWriteModel<SchemaMap[Namespace]> & {
        namespace: Namespace;
    }
}[keyof SchemaMap]

A mapping of namespace strings to collections schemas.

+

Type Parameters

type MongoDBSchemas = {
'db.books': Book;
'db.authors': Author;
}

const model: ClientBulkWriteModel<MongoDBSchemas> = {
namespace: 'db.books'
name: 'insertOne',
document: { title: 'Practical MongoDB Aggregations', authorName: 3 } // error `authorName` cannot be number
}; +
+ +

The type of the namespace field narrows other parts of the BulkWriteModel to use the correct schema for type assertions.

+
diff --git a/docs/6.14/types/ClientEncryptionDataKeyProvider.html b/docs/6.14/types/ClientEncryptionDataKeyProvider.html new file mode 100644 index 00000000000..47ce4291efd --- /dev/null +++ b/docs/6.14/types/ClientEncryptionDataKeyProvider.html @@ -0,0 +1,8 @@ +ClientEncryptionDataKeyProvider | mongodb

Type Alias ClientEncryptionDataKeyProvider

ClientEncryptionDataKeyProvider: keyof KMSProviders

A data key provider. Allowed values:

+
    +
  • aws, gcp, local, kmip or azure
  • +
  • (mongodb-client-encryption>=6.0.1 only) a named key, in the form of: +aws:<name>, gcp:<name>, local:<name>, kmip:<name>, azure:<name> +where name is an alphanumeric string, underscores allowed.
  • +
+
diff --git a/docs/6.14/types/ClientEncryptionSocketOptions.html b/docs/6.14/types/ClientEncryptionSocketOptions.html new file mode 100644 index 00000000000..8998f766c35 --- /dev/null +++ b/docs/6.14/types/ClientEncryptionSocketOptions.html @@ -0,0 +1,2 @@ +ClientEncryptionSocketOptions | mongodb

Type Alias ClientEncryptionSocketOptions

ClientEncryptionSocketOptions: Pick<MongoClientOptions, "autoSelectFamily" | "autoSelectFamilyAttemptTimeout">

Socket options to use for KMS requests.

+
diff --git a/docs/6.14/types/ClientEncryptionTlsOptions.html b/docs/6.14/types/ClientEncryptionTlsOptions.html new file mode 100644 index 00000000000..c1c810634be --- /dev/null +++ b/docs/6.14/types/ClientEncryptionTlsOptions.html @@ -0,0 +1,9 @@ +ClientEncryptionTlsOptions | mongodb

Type Alias ClientEncryptionTlsOptions

ClientEncryptionTlsOptions: Pick<MongoClientOptions, "tlsCAFile" | "tlsCertificateKeyFile" | "tlsCertificateKeyFilePassword">

TLS options to use when connecting. The spec specifically calls out which insecure +tls options are not allowed:

+
    +
  • tlsAllowInvalidCertificates
  • +
  • tlsAllowInvalidHostnames
  • +
  • tlsInsecure
  • +
+

These options are not included in the type, and are ignored if provided.

+
diff --git a/docs/6.14/types/ClientSessionEvents.html b/docs/6.14/types/ClientSessionEvents.html new file mode 100644 index 00000000000..de3638e02a7 --- /dev/null +++ b/docs/6.14/types/ClientSessionEvents.html @@ -0,0 +1 @@ +ClientSessionEvents | mongodb

Type Alias ClientSessionEvents

ClientSessionEvents: {
    ended(session: ClientSession): void;
}
diff --git a/docs/6.14/types/CommonEvents.html b/docs/6.14/types/CommonEvents.html new file mode 100644 index 00000000000..46d640688aa --- /dev/null +++ b/docs/6.14/types/CommonEvents.html @@ -0,0 +1 @@ +CommonEvents | mongodb

Type Alias CommonEvents

CommonEvents: "newListener" | "removeListener"
diff --git a/docs/6.14/types/Compressor.html b/docs/6.14/types/Compressor.html new file mode 100644 index 00000000000..5a8920d7049 --- /dev/null +++ b/docs/6.14/types/Compressor.html @@ -0,0 +1 @@ +Compressor | mongodb
diff --git a/docs/6.14/types/CompressorName.html b/docs/6.14/types/CompressorName.html new file mode 100644 index 00000000000..68bb503c3f1 --- /dev/null +++ b/docs/6.14/types/CompressorName.html @@ -0,0 +1 @@ +CompressorName | mongodb

Type Alias CompressorName

CompressorName: keyof typeof Compressor
diff --git a/docs/6.14/types/Condition.html b/docs/6.14/types/Condition.html new file mode 100644 index 00000000000..051a4efff68 --- /dev/null +++ b/docs/6.14/types/Condition.html @@ -0,0 +1 @@ +Condition | mongodb

Type Alias Condition<T>

Type Parameters

  • T
diff --git a/docs/6.14/types/ConnectionEvents.html b/docs/6.14/types/ConnectionEvents.html new file mode 100644 index 00000000000..6b294e53229 --- /dev/null +++ b/docs/6.14/types/ConnectionEvents.html @@ -0,0 +1 @@ +ConnectionEvents | mongodb

Type Alias ConnectionEvents

ConnectionEvents: {
    close(): void;
    clusterTimeReceived(clusterTime: Document): void;
    commandFailed(event: CommandFailedEvent): void;
    commandStarted(event: CommandStartedEvent): void;
    commandSucceeded(event: CommandSucceededEvent): void;
    pinned(pinType: string): void;
    unpinned(pinType: string): void;
}
diff --git a/docs/6.14/types/ConnectionPoolEvents.html b/docs/6.14/types/ConnectionPoolEvents.html new file mode 100644 index 00000000000..69573359522 --- /dev/null +++ b/docs/6.14/types/ConnectionPoolEvents.html @@ -0,0 +1 @@ +ConnectionPoolEvents | mongodb

Type Alias ConnectionPoolEvents

ConnectionPoolEvents: {
    connectionCheckedIn(event: ConnectionCheckedInEvent): void;
    connectionCheckedOut(event: ConnectionCheckedOutEvent): void;
    connectionCheckOutFailed(event: ConnectionCheckOutFailedEvent): void;
    connectionCheckOutStarted(event: ConnectionCheckOutStartedEvent): void;
    connectionClosed(event: ConnectionClosedEvent): void;
    connectionCreated(event: ConnectionCreatedEvent): void;
    connectionPoolCleared(event: ConnectionPoolClearedEvent): void;
    connectionPoolClosed(event: ConnectionPoolClosedEvent): void;
    connectionPoolCreated(event: ConnectionPoolCreatedEvent): void;
    connectionPoolReady(event: ConnectionPoolReadyEvent): void;
    connectionReady(event: ConnectionReadyEvent): void;
} & Omit<ConnectionEvents, "close" | "message">
diff --git a/docs/6.14/types/CursorFlag.html b/docs/6.14/types/CursorFlag.html new file mode 100644 index 00000000000..0999aba3538 --- /dev/null +++ b/docs/6.14/types/CursorFlag.html @@ -0,0 +1 @@ +CursorFlag | mongodb

Type Alias CursorFlag

CursorFlag: typeof CURSOR_FLAGS[number]
diff --git a/docs/6.14/types/CursorTimeoutMode.html b/docs/6.14/types/CursorTimeoutMode.html new file mode 100644 index 00000000000..adf56ee3835 --- /dev/null +++ b/docs/6.14/types/CursorTimeoutMode.html @@ -0,0 +1 @@ +CursorTimeoutMode | mongodb

Type Alias CursorTimeoutModeExperimental

CursorTimeoutMode: typeof CursorTimeoutMode[keyof typeof CursorTimeoutMode]
diff --git a/docs/6.14/types/DistinctOptions.html b/docs/6.14/types/DistinctOptions.html new file mode 100644 index 00000000000..047e7dafaf3 --- /dev/null +++ b/docs/6.14/types/DistinctOptions.html @@ -0,0 +1 @@ +DistinctOptions | mongodb

Type Alias DistinctOptions

DistinctOptions: CommandOperationOptions
diff --git a/docs/6.14/types/DropDatabaseOptions.html b/docs/6.14/types/DropDatabaseOptions.html new file mode 100644 index 00000000000..0ecec890b6e --- /dev/null +++ b/docs/6.14/types/DropDatabaseOptions.html @@ -0,0 +1 @@ +DropDatabaseOptions | mongodb

Type Alias DropDatabaseOptions

DropDatabaseOptions: CommandOperationOptions
diff --git a/docs/6.14/types/DropIndexesOptions.html b/docs/6.14/types/DropIndexesOptions.html new file mode 100644 index 00000000000..afafeab9d0d --- /dev/null +++ b/docs/6.14/types/DropIndexesOptions.html @@ -0,0 +1 @@ +DropIndexesOptions | mongodb

Type Alias DropIndexesOptions

DropIndexesOptions: CommandOperationOptions
diff --git a/docs/6.14/types/EnhancedOmit.html b/docs/6.14/types/EnhancedOmit.html new file mode 100644 index 00000000000..2c606adda51 --- /dev/null +++ b/docs/6.14/types/EnhancedOmit.html @@ -0,0 +1,2 @@ +EnhancedOmit | mongodb

Type Alias EnhancedOmit<TRecordOrUnion, KeyUnion>

EnhancedOmit<TRecordOrUnion, KeyUnion>: string extends keyof TRecordOrUnion
    ? TRecordOrUnion
    : TRecordOrUnion extends any
        ? Pick<TRecordOrUnion, Exclude<keyof TRecordOrUnion, KeyUnion>>
        : never

TypeScript Omit (Exclude to be specific) does not work for objects with an "any" indexed type, and breaks discriminated unions

+

Type Parameters

  • TRecordOrUnion
  • KeyUnion
diff --git a/docs/6.14/types/EventEmitterWithState.html b/docs/6.14/types/EventEmitterWithState.html new file mode 100644 index 00000000000..eab70aa46b8 --- /dev/null +++ b/docs/6.14/types/EventEmitterWithState.html @@ -0,0 +1 @@ +EventEmitterWithState | mongodb

Type Alias EventEmitterWithState

EventEmitterWithState: {}
diff --git a/docs/6.14/types/EventsDescription.html b/docs/6.14/types/EventsDescription.html new file mode 100644 index 00000000000..dc1f48344b8 --- /dev/null +++ b/docs/6.14/types/EventsDescription.html @@ -0,0 +1,2 @@ +EventsDescription | mongodb

Type Alias EventsDescription

EventsDescription: Record<string, GenericListener>

Event description type

+
diff --git a/docs/6.14/types/ExplainVerbosity.html b/docs/6.14/types/ExplainVerbosity.html new file mode 100644 index 00000000000..2b8accf33f8 --- /dev/null +++ b/docs/6.14/types/ExplainVerbosity.html @@ -0,0 +1 @@ +ExplainVerbosity | mongodb

Type Alias ExplainVerbosity

ExplainVerbosity: string
diff --git a/docs/6.14/types/ExplainVerbosityLike.html b/docs/6.14/types/ExplainVerbosityLike.html new file mode 100644 index 00000000000..4477837c15b --- /dev/null +++ b/docs/6.14/types/ExplainVerbosityLike.html @@ -0,0 +1,3 @@ +ExplainVerbosityLike | mongodb

Type Alias ExplainVerbosityLike

ExplainVerbosityLike: ExplainVerbosity | boolean

For backwards compatibility, true is interpreted as "allPlansExecution" +and false as "queryPlanner".

+
diff --git a/docs/6.14/types/Filter.html b/docs/6.14/types/Filter.html new file mode 100644 index 00000000000..b4fecc020fd --- /dev/null +++ b/docs/6.14/types/Filter.html @@ -0,0 +1,2 @@ +Filter | mongodb

Type Alias Filter<TSchema>

Filter<TSchema>: {
    [P in keyof WithId<TSchema>]?: Condition<WithId<TSchema>[P]>
} & RootFilterOperators<WithId<TSchema>>

A MongoDB filter can be some portion of the schema or a set of operators

+

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/FilterOperations.html b/docs/6.14/types/FilterOperations.html new file mode 100644 index 00000000000..cdb9a8ead68 --- /dev/null +++ b/docs/6.14/types/FilterOperations.html @@ -0,0 +1 @@ +FilterOperations | mongodb

Type Alias FilterOperations<T>

FilterOperations<T>: T extends Record<string, any>
    ? {
        [key in keyof T]?: FilterOperators<T[key]>
    }
    : FilterOperators<T>

Type Parameters

  • T
diff --git a/docs/6.14/types/Flatten.html b/docs/6.14/types/Flatten.html new file mode 100644 index 00000000000..80e427b5962 --- /dev/null +++ b/docs/6.14/types/Flatten.html @@ -0,0 +1 @@ +Flatten | mongodb

Type Alias Flatten<Type>

Flatten<Type>: Type extends ReadonlyArray<infer Item>
    ? Item
    : Type

Type Parameters

  • Type
diff --git a/docs/6.14/types/GCPKMSProviderConfiguration.html b/docs/6.14/types/GCPKMSProviderConfiguration.html new file mode 100644 index 00000000000..2c22dfe3927 --- /dev/null +++ b/docs/6.14/types/GCPKMSProviderConfiguration.html @@ -0,0 +1,6 @@ +GCPKMSProviderConfiguration | mongodb

Type Alias GCPKMSProviderConfiguration

GCPKMSProviderConfiguration: {
    email: string;
    endpoint?: string;
    privateKey: string | Buffer;
} | {
    accessToken: string;
}

Type declaration

  • email: string

    The service account email to authenticate

    +
  • Optionalendpoint?: string

    If present, a host with optional port. E.g. "example.com" or "example.com:443". +Defaults to "oauth2.googleapis.com"

    +
  • privateKey: string | Buffer

    A PKCS#8 encrypted key. This can either be a base64 string or a binary representation

    +

Type declaration

  • accessToken: string

    If present, an access token to authenticate with GCP.

    +
diff --git a/docs/6.14/types/GSSAPICanonicalizationValue.html b/docs/6.14/types/GSSAPICanonicalizationValue.html new file mode 100644 index 00000000000..1c6948d95d0 --- /dev/null +++ b/docs/6.14/types/GSSAPICanonicalizationValue.html @@ -0,0 +1 @@ +GSSAPICanonicalizationValue | mongodb

Type Alias GSSAPICanonicalizationValue

GSSAPICanonicalizationValue: typeof GSSAPICanonicalizationValue[keyof typeof GSSAPICanonicalizationValue]
diff --git a/docs/6.14/types/GenericListener.html b/docs/6.14/types/GenericListener.html new file mode 100644 index 00000000000..f4d76928737 --- /dev/null +++ b/docs/6.14/types/GenericListener.html @@ -0,0 +1 @@ +GenericListener | mongodb

Type Alias GenericListener

GenericListener: ((...args: any[]) => void)
diff --git a/docs/6.14/types/GridFSBucketEvents.html b/docs/6.14/types/GridFSBucketEvents.html new file mode 100644 index 00000000000..efd2baa0af9 --- /dev/null +++ b/docs/6.14/types/GridFSBucketEvents.html @@ -0,0 +1 @@ +GridFSBucketEvents | mongodb

Type Alias GridFSBucketEvents

GridFSBucketEvents: {
    index(): void;
}
diff --git a/docs/6.14/types/Hint.html b/docs/6.14/types/Hint.html new file mode 100644 index 00000000000..0a5d8c0b78a --- /dev/null +++ b/docs/6.14/types/Hint.html @@ -0,0 +1 @@ +Hint | mongodb

Type Alias Hint

Hint: string | Document
diff --git a/docs/6.14/types/IndexDescriptionCompact.html b/docs/6.14/types/IndexDescriptionCompact.html new file mode 100644 index 00000000000..449bfb1cc4a --- /dev/null +++ b/docs/6.14/types/IndexDescriptionCompact.html @@ -0,0 +1 @@ +IndexDescriptionCompact | mongodb

Type Alias IndexDescriptionCompact

IndexDescriptionCompact: Record<string, [name: string, direction: IndexDirection][]>
diff --git a/docs/6.14/types/IndexDescriptionInfo.html b/docs/6.14/types/IndexDescriptionInfo.html new file mode 100644 index 00000000000..dd6f69cfa45 --- /dev/null +++ b/docs/6.14/types/IndexDescriptionInfo.html @@ -0,0 +1,2 @@ +IndexDescriptionInfo | mongodb

Type Alias IndexDescriptionInfo

IndexDescriptionInfo: Omit<IndexDescription, "key" | "version"> & {
    key: {
        [key: string]: IndexDirection;
    };
    v?: IndexDescription["version"];
} & Document
diff --git a/docs/6.14/types/IndexDirection.html b/docs/6.14/types/IndexDirection.html new file mode 100644 index 00000000000..6e4e7652f6d --- /dev/null +++ b/docs/6.14/types/IndexDirection.html @@ -0,0 +1 @@ +IndexDirection | mongodb

Type Alias IndexDirection

IndexDirection:
    | -1
    | 1
    | "2d"
    | "2dsphere"
    | "text"
    | "geoHaystack"
    | "hashed"
    | number
diff --git a/docs/6.14/types/IndexSpecification.html b/docs/6.14/types/IndexSpecification.html new file mode 100644 index 00000000000..b05f1a6c7d2 --- /dev/null +++ b/docs/6.14/types/IndexSpecification.html @@ -0,0 +1 @@ +IndexSpecification | mongodb

Type Alias IndexSpecification

IndexSpecification: OneOrMore<
    | string
    | [string, IndexDirection]
    | {
        [key: string]: IndexDirection;
    }
    | Map<string, IndexDirection>>
diff --git a/docs/6.14/types/InferIdType.html b/docs/6.14/types/InferIdType.html new file mode 100644 index 00000000000..e1d3c058a3d --- /dev/null +++ b/docs/6.14/types/InferIdType.html @@ -0,0 +1,2 @@ +InferIdType | mongodb

Type Alias InferIdType<TSchema>

InferIdType<TSchema>: TSchema extends {
        _id: infer IdType;
    }
    ? Record<any, never> extends IdType
        ? never
        : IdType
    : TSchema extends {
            _id?: infer IdType;
        }
        ? unknown extends IdType
            ? ObjectId
            : IdType
        : ObjectId

Given an object shaped type, return the type of the _id field or default to ObjectId

+

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/IntegerType.html b/docs/6.14/types/IntegerType.html new file mode 100644 index 00000000000..fc3d26e3cab --- /dev/null +++ b/docs/6.14/types/IntegerType.html @@ -0,0 +1 @@ +IntegerType | mongodb

Type Alias IntegerType

IntegerType:
    | number
    | Int32
    | Long
    | bigint
diff --git a/docs/6.14/types/IsAny.html b/docs/6.14/types/IsAny.html new file mode 100644 index 00000000000..6d75d553438 --- /dev/null +++ b/docs/6.14/types/IsAny.html @@ -0,0 +1 @@ +IsAny | mongodb

Type Alias IsAny<Type, ResultIfAny, ResultIfNotAny>

IsAny<Type, ResultIfAny, ResultIfNotAny>: true extends false & Type
    ? ResultIfAny
    : ResultIfNotAny

Type Parameters

  • Type
  • ResultIfAny
  • ResultIfNotAny
diff --git a/docs/6.14/types/Join.html b/docs/6.14/types/Join.html new file mode 100644 index 00000000000..82a13eb8c1c --- /dev/null +++ b/docs/6.14/types/Join.html @@ -0,0 +1 @@ +Join | mongodb

Type Alias Join<T, D>

Join<T, D>: T extends []
    ? ""
    : T extends [string | number]
        ? `${T[0]}`
        : T extends [string | number, ...(infer R)]
            ? `${T[0]}${D}${Join<R, D>}`
            : string

Type Parameters

  • T extends unknown[]
  • D extends string
diff --git a/docs/6.14/types/KeysOfAType.html b/docs/6.14/types/KeysOfAType.html new file mode 100644 index 00000000000..fe3bcba7247 --- /dev/null +++ b/docs/6.14/types/KeysOfAType.html @@ -0,0 +1 @@ +KeysOfAType | mongodb

Type Alias KeysOfAType<TSchema, Type>

KeysOfAType<TSchema, Type>: {
    [key in keyof TSchema]: NonNullable<TSchema[key]> extends Type
        ? key
        : never
}[keyof TSchema]

Type Parameters

  • TSchema
  • Type
diff --git a/docs/6.14/types/KeysOfOtherType.html b/docs/6.14/types/KeysOfOtherType.html new file mode 100644 index 00000000000..a7e857cc627 --- /dev/null +++ b/docs/6.14/types/KeysOfOtherType.html @@ -0,0 +1 @@ +KeysOfOtherType | mongodb

Type Alias KeysOfOtherType<TSchema, Type>

KeysOfOtherType<TSchema, Type>: {
    [key in keyof TSchema]: NonNullable<TSchema[key]> extends Type
        ? never
        : key
}[keyof TSchema]

Type Parameters

  • TSchema
  • Type
diff --git a/docs/6.14/types/ListIndexesOptions.html b/docs/6.14/types/ListIndexesOptions.html new file mode 100644 index 00000000000..d2d6062c0e7 --- /dev/null +++ b/docs/6.14/types/ListIndexesOptions.html @@ -0,0 +1 @@ +ListIndexesOptions | mongodb

Type Alias ListIndexesOptions

ListIndexesOptions: AbstractCursorOptions & {}
diff --git a/docs/6.14/types/ListSearchIndexesOptions.html b/docs/6.14/types/ListSearchIndexesOptions.html new file mode 100644 index 00000000000..1ea4d864fa4 --- /dev/null +++ b/docs/6.14/types/ListSearchIndexesOptions.html @@ -0,0 +1 @@ +ListSearchIndexesOptions | mongodb

Type Alias ListSearchIndexesOptions

ListSearchIndexesOptions: Omit<AggregateOptions, "readConcern" | "writeConcern">
diff --git a/docs/6.14/types/MatchKeysAndValues.html b/docs/6.14/types/MatchKeysAndValues.html new file mode 100644 index 00000000000..2f63b888965 --- /dev/null +++ b/docs/6.14/types/MatchKeysAndValues.html @@ -0,0 +1 @@ +MatchKeysAndValues | mongodb

Type Alias MatchKeysAndValues<TSchema>

MatchKeysAndValues<TSchema>: Readonly<Partial<TSchema>> & Record<string, any>

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/MongoClientEvents.html b/docs/6.14/types/MongoClientEvents.html new file mode 100644 index 00000000000..f0e19d2637c --- /dev/null +++ b/docs/6.14/types/MongoClientEvents.html @@ -0,0 +1 @@ +MongoClientEvents | mongodb

Type Alias MongoClientEvents

MongoClientEvents: Pick<TopologyEvents, typeof MONGO_CLIENT_EVENTS[number]> & {
    open(mongoClient: MongoClient): void;
}
diff --git a/docs/6.14/types/MongoErrorLabel.html b/docs/6.14/types/MongoErrorLabel.html new file mode 100644 index 00000000000..ce4064f8345 --- /dev/null +++ b/docs/6.14/types/MongoErrorLabel.html @@ -0,0 +1 @@ +MongoErrorLabel | mongodb

Type Alias MongoErrorLabel

MongoErrorLabel: typeof MongoErrorLabel[keyof typeof MongoErrorLabel]
diff --git a/docs/6.14/types/MongoLoggableComponent.html b/docs/6.14/types/MongoLoggableComponent.html new file mode 100644 index 00000000000..58fe9a41f3f --- /dev/null +++ b/docs/6.14/types/MongoLoggableComponent.html @@ -0,0 +1 @@ +MongoLoggableComponent | mongodb

Type Alias MongoLoggableComponent

MongoLoggableComponent: typeof MongoLoggableComponent[keyof typeof MongoLoggableComponent]
diff --git a/docs/6.14/types/MonitorEvents.html b/docs/6.14/types/MonitorEvents.html new file mode 100644 index 00000000000..ecceeab6892 --- /dev/null +++ b/docs/6.14/types/MonitorEvents.html @@ -0,0 +1 @@ +MonitorEvents | mongodb

Type Alias MonitorEvents

MonitorEvents: {
    close(): void;
    resetConnectionPool(): void;
    resetServer(error?: MongoError): void;
    serverHeartbeatFailed(event: ServerHeartbeatFailedEvent): void;
    serverHeartbeatStarted(event: ServerHeartbeatStartedEvent): void;
    serverHeartbeatSucceeded(event: ServerHeartbeatSucceededEvent): void;
} & EventEmitterWithState
diff --git a/docs/6.14/types/NestedPaths.html b/docs/6.14/types/NestedPaths.html new file mode 100644 index 00000000000..fe662db505a --- /dev/null +++ b/docs/6.14/types/NestedPaths.html @@ -0,0 +1,8 @@ +NestedPaths | mongodb

Type Alias NestedPaths<Type, Depth>

NestedPaths<Type, Depth>: Depth["length"] extends 8
    ? []
    : Type extends
            | string
            | number
            | bigint
            | boolean
            | Date
            | RegExp
            | Buffer
            | Uint8Array
            | ((...args: any[]) => any)
            | {
                _bsontype: string;
            }
        ? []
        : Type extends ReadonlyArray<infer ArrayType>
            ? [] | [number, ...NestedPaths<ArrayType, [...Depth, 1]>]
            : Type extends Map<string, any>
                ? [string]
                : Type extends object
                    ? {
                        [Key in Extract<keyof Type, string>]: Type[Key] extends Type
                            ? [Key]
                            : Type extends Type[Key]
                                ? [Key]
                                : (...)[(...)] extends ReadonlyArray<(...)>
                                    ? (...) extends (...)
                                        ? (...)
                                        : (...)
                                    : (...) | (...)
                    }[Extract<keyof Type, string>]
                    : []

returns tuple of strings (keys to be joined on '.') that represent every path into a schema +https://www.mongodb.com/docs/manual/tutorial/query-embedded-documents/

+

Type Parameters

  • Type
  • Depth extends number[]

Through testing we determined that a depth of 8 is safe for the typescript compiler +and provides reasonable compilation times. This number is otherwise not special and +should be changed if issues are found with this level of checking. Beyond this +depth any helpers that make use of NestedPaths should devolve to not asserting any +type safety on the input.

+
diff --git a/docs/6.14/types/NestedPathsOfType.html b/docs/6.14/types/NestedPathsOfType.html new file mode 100644 index 00000000000..6733d5db164 --- /dev/null +++ b/docs/6.14/types/NestedPathsOfType.html @@ -0,0 +1,3 @@ +NestedPathsOfType | mongodb

Type Alias NestedPathsOfType<TSchema, Type>

NestedPathsOfType<TSchema, Type>: KeysOfAType<{
    [Property in Join<NestedPaths<TSchema, []>, ".">]: PropertyType<TSchema, Property>
}, Type>

returns keys (strings) for every path into a schema with a value of type +https://www.mongodb.com/docs/manual/tutorial/query-embedded-documents/

+

Type Parameters

  • TSchema
  • Type
diff --git a/docs/6.14/types/NonObjectIdLikeDocument.html b/docs/6.14/types/NonObjectIdLikeDocument.html new file mode 100644 index 00000000000..740ec5db109 --- /dev/null +++ b/docs/6.14/types/NonObjectIdLikeDocument.html @@ -0,0 +1,2 @@ +NonObjectIdLikeDocument | mongodb

Type Alias NonObjectIdLikeDocument

NonObjectIdLikeDocument: {
    [key in keyof ObjectIdLike]?: never
} & Document

A type that extends Document but forbids anything that "looks like" an object id.

+
diff --git a/docs/6.14/types/NotAcceptedFields.html b/docs/6.14/types/NotAcceptedFields.html new file mode 100644 index 00000000000..cb95d051d5e --- /dev/null +++ b/docs/6.14/types/NotAcceptedFields.html @@ -0,0 +1,2 @@ +NotAcceptedFields | mongodb

Type Alias NotAcceptedFields<TSchema, FieldType>

NotAcceptedFields<TSchema, FieldType>: {
    readonly [key in KeysOfOtherType<TSchema, FieldType>]?: never
}

It avoids using fields with not acceptable types

+

Type Parameters

  • TSchema
  • FieldType
diff --git a/docs/6.14/types/NumericType.html b/docs/6.14/types/NumericType.html new file mode 100644 index 00000000000..7d2222dd797 --- /dev/null +++ b/docs/6.14/types/NumericType.html @@ -0,0 +1 @@ +NumericType | mongodb

Type Alias NumericType

NumericType: IntegerType | Decimal128 | Double
diff --git a/docs/6.14/types/OIDCCallbackFunction.html b/docs/6.14/types/OIDCCallbackFunction.html new file mode 100644 index 00000000000..17da82c208d --- /dev/null +++ b/docs/6.14/types/OIDCCallbackFunction.html @@ -0,0 +1,2 @@ +OIDCCallbackFunction | mongodb

Type Alias OIDCCallbackFunction

OIDCCallbackFunction: ((params: OIDCCallbackParams) => Promise<OIDCResponse>)

The signature of the human or machine callback functions.

+
diff --git a/docs/6.14/types/OneOrMore.html b/docs/6.14/types/OneOrMore.html new file mode 100644 index 00000000000..70c4ca9cc92 --- /dev/null +++ b/docs/6.14/types/OneOrMore.html @@ -0,0 +1 @@ +OneOrMore | mongodb

Type Alias OneOrMore<T>

OneOrMore<T>: T | ReadonlyArray<T>

Type Parameters

  • T
diff --git a/docs/6.14/types/OnlyFieldsOfType.html b/docs/6.14/types/OnlyFieldsOfType.html new file mode 100644 index 00000000000..331588f235e --- /dev/null +++ b/docs/6.14/types/OnlyFieldsOfType.html @@ -0,0 +1 @@ +OnlyFieldsOfType | mongodb

Type Alias OnlyFieldsOfType<TSchema, FieldType, AssignableType>

OnlyFieldsOfType<TSchema, FieldType, AssignableType>: IsAny<TSchema[keyof TSchema], AssignableType extends FieldType
    ? Record<string, FieldType>
    : Record<string, AssignableType>, AcceptedFields<TSchema, FieldType, AssignableType> & NotAcceptedFields<TSchema, FieldType> & Record<string, AssignableType>>

Type Parameters

  • TSchema
  • FieldType = any
  • AssignableType = FieldType
diff --git a/docs/6.14/types/OperationTime.html b/docs/6.14/types/OperationTime.html new file mode 100644 index 00000000000..606b9279024 --- /dev/null +++ b/docs/6.14/types/OperationTime.html @@ -0,0 +1,3 @@ +OperationTime | mongodb

Type Alias OperationTime

OperationTime: Timestamp

Represents a specific point in time on a server. Can be retrieved by using db.command()

+
diff --git a/docs/6.14/types/OptionalId.html b/docs/6.14/types/OptionalId.html new file mode 100644 index 00000000000..9071714610e --- /dev/null +++ b/docs/6.14/types/OptionalId.html @@ -0,0 +1,2 @@ +OptionalId | mongodb

Type Alias OptionalId<TSchema>

OptionalId<TSchema>: EnhancedOmit<TSchema, "_id"> & {
    _id?: InferIdType<TSchema>;
}

Add an optional _id field to an object shaped type

+

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/OptionalUnlessRequiredId.html b/docs/6.14/types/OptionalUnlessRequiredId.html new file mode 100644 index 00000000000..dea95ed2869 --- /dev/null +++ b/docs/6.14/types/OptionalUnlessRequiredId.html @@ -0,0 +1,3 @@ +OptionalUnlessRequiredId | mongodb

Type Alias OptionalUnlessRequiredId<TSchema>

OptionalUnlessRequiredId<TSchema>: TSchema extends {
        _id: any;
    }
    ? TSchema
    : OptionalId<TSchema>

Adds an optional _id field to an object shaped type, unless the _id field is required on that type. +In the case _id is required, this method continues to require_id.

+

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/ProfilingLevel.html b/docs/6.14/types/ProfilingLevel.html new file mode 100644 index 00000000000..835a803a79a --- /dev/null +++ b/docs/6.14/types/ProfilingLevel.html @@ -0,0 +1 @@ +ProfilingLevel | mongodb
diff --git a/docs/6.14/types/ProfilingLevelOptions.html b/docs/6.14/types/ProfilingLevelOptions.html new file mode 100644 index 00000000000..c62d45a0972 --- /dev/null +++ b/docs/6.14/types/ProfilingLevelOptions.html @@ -0,0 +1 @@ +ProfilingLevelOptions | mongodb

Type Alias ProfilingLevelOptions

ProfilingLevelOptions: CommandOperationOptions
diff --git a/docs/6.14/types/PropertyType.html b/docs/6.14/types/PropertyType.html new file mode 100644 index 00000000000..9f1fe83d8d7 --- /dev/null +++ b/docs/6.14/types/PropertyType.html @@ -0,0 +1 @@ +PropertyType | mongodb

Type Alias PropertyType<Type, Property>

PropertyType<Type, Property>: string extends Property
    ? unknown
    : Property extends keyof Type
        ? Type[Property]
        : Property extends `${number}`
            ? Type extends ReadonlyArray<infer ArrayType>
                ? ArrayType
                : unknown
            : Property extends `${infer Key}.${infer Rest}`
                ? Key extends `${number}`
                    ? Type extends ReadonlyArray<infer ArrayType>
                        ? PropertyType<ArrayType, Rest>
                        : unknown
                    : Key extends keyof Type
                        ? Type[Key] extends Map<string, infer MapType>
                            ? MapType
                            : PropertyType<Type[Key], Rest>
                        : unknown
                : unknown

Type Parameters

  • Type
  • Property extends string
diff --git a/docs/6.14/types/PullAllOperator.html b/docs/6.14/types/PullAllOperator.html new file mode 100644 index 00000000000..289d9f68155 --- /dev/null +++ b/docs/6.14/types/PullAllOperator.html @@ -0,0 +1 @@ +PullAllOperator | mongodb

Type Alias PullAllOperator<TSchema>

PullAllOperator<TSchema>: {
    readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: TSchema[key]
} & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
    [key: string]: ReadonlyArray<any>;
}

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/PullOperator.html b/docs/6.14/types/PullOperator.html new file mode 100644 index 00000000000..03abdaaa4e1 --- /dev/null +++ b/docs/6.14/types/PullOperator.html @@ -0,0 +1 @@ +PullOperator | mongodb

Type Alias PullOperator<TSchema>

PullOperator<TSchema>: {
    readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: Partial<Flatten<TSchema[key]>> | FilterOperations<Flatten<TSchema[key]>>
} & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
    [key: string]: FilterOperators<any> | any;
}

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/PushOperator.html b/docs/6.14/types/PushOperator.html new file mode 100644 index 00000000000..e7265733b8a --- /dev/null +++ b/docs/6.14/types/PushOperator.html @@ -0,0 +1 @@ +PushOperator | mongodb

Type Alias PushOperator<TSchema>

PushOperator<TSchema>: {
    readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: Flatten<TSchema[key]> | ArrayOperator<Flatten<TSchema[key]>[]>
} & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
    [key: string]: ArrayOperator<any> | any;
}

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/ReadConcernLevel.html b/docs/6.14/types/ReadConcernLevel.html new file mode 100644 index 00000000000..9b9bd0d3b5c --- /dev/null +++ b/docs/6.14/types/ReadConcernLevel.html @@ -0,0 +1 @@ +ReadConcernLevel | mongodb

Type Alias ReadConcernLevel

ReadConcernLevel: typeof ReadConcernLevel[keyof typeof ReadConcernLevel]
diff --git a/docs/6.14/types/ReadConcernLike.html b/docs/6.14/types/ReadConcernLike.html new file mode 100644 index 00000000000..d85b9afa277 --- /dev/null +++ b/docs/6.14/types/ReadConcernLike.html @@ -0,0 +1 @@ +ReadConcernLike | mongodb

Type Alias ReadConcernLike

ReadConcernLike: ReadConcern | {
    level: ReadConcernLevel;
} | ReadConcernLevel
diff --git a/docs/6.14/types/ReadPreferenceLike.html b/docs/6.14/types/ReadPreferenceLike.html new file mode 100644 index 00000000000..a46c7cebd0d --- /dev/null +++ b/docs/6.14/types/ReadPreferenceLike.html @@ -0,0 +1 @@ +ReadPreferenceLike | mongodb

Type Alias ReadPreferenceLike

ReadPreferenceLike: ReadPreference | ReadPreferenceMode
diff --git a/docs/6.14/types/ReadPreferenceMode.html b/docs/6.14/types/ReadPreferenceMode.html new file mode 100644 index 00000000000..f2774efb2bf --- /dev/null +++ b/docs/6.14/types/ReadPreferenceMode.html @@ -0,0 +1 @@ +ReadPreferenceMode | mongodb

Type Alias ReadPreferenceMode

ReadPreferenceMode: typeof ReadPreferenceMode[keyof typeof ReadPreferenceMode]
diff --git a/docs/6.14/types/RegExpOrString.html b/docs/6.14/types/RegExpOrString.html new file mode 100644 index 00000000000..fa07000dd5a --- /dev/null +++ b/docs/6.14/types/RegExpOrString.html @@ -0,0 +1 @@ +RegExpOrString | mongodb

Type Alias RegExpOrString<T>

RegExpOrString<T>: T extends string
    ? BSONRegExp | RegExp | T
    : T

Type Parameters

  • T
diff --git a/docs/6.14/types/RemoveUserOptions.html b/docs/6.14/types/RemoveUserOptions.html new file mode 100644 index 00000000000..2d3c8dcf85d --- /dev/null +++ b/docs/6.14/types/RemoveUserOptions.html @@ -0,0 +1 @@ +RemoveUserOptions | mongodb

Type Alias RemoveUserOptions

RemoveUserOptions: CommandOperationOptions
diff --git a/docs/6.14/types/ResumeToken.html b/docs/6.14/types/ResumeToken.html new file mode 100644 index 00000000000..cce86613479 --- /dev/null +++ b/docs/6.14/types/ResumeToken.html @@ -0,0 +1,3 @@ +ResumeToken | mongodb

Type Alias ResumeToken

ResumeToken: unknown

Represents the logical starting point for a new ChangeStream or resuming a ChangeStream on the server.

+
diff --git a/docs/6.14/types/ReturnDocument.html b/docs/6.14/types/ReturnDocument.html new file mode 100644 index 00000000000..aeeb8e39ecd --- /dev/null +++ b/docs/6.14/types/ReturnDocument.html @@ -0,0 +1 @@ +ReturnDocument | mongodb

Type Alias ReturnDocument

ReturnDocument: typeof ReturnDocument[keyof typeof ReturnDocument]
diff --git a/docs/6.14/types/RunCommandOptions.html b/docs/6.14/types/RunCommandOptions.html new file mode 100644 index 00000000000..fe07e0c7b54 --- /dev/null +++ b/docs/6.14/types/RunCommandOptions.html @@ -0,0 +1,4 @@ +RunCommandOptions | mongodb

Type Alias RunCommandOptions

RunCommandOptions: {
    readPreference?: ReadPreferenceLike;
    session?: ClientSession;
    timeoutMS?: number;
} & BSONSerializeOptions

Type declaration

  • OptionalreadPreference?: ReadPreferenceLike

    The read preference

    +
  • Optionalsession?: ClientSession

    Specify ClientSession for this command

    +
  • Optional ExperimentaltimeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
diff --git a/docs/6.14/types/RunCursorCommandOptions.html b/docs/6.14/types/RunCursorCommandOptions.html new file mode 100644 index 00000000000..4e85cd35f22 --- /dev/null +++ b/docs/6.14/types/RunCursorCommandOptions.html @@ -0,0 +1,18 @@ +RunCursorCommandOptions | mongodb

Type Alias RunCursorCommandOptions

RunCursorCommandOptions: {
    awaitData?: boolean;
    readPreference?: ReadPreferenceLike;
    session?: ClientSession;
    tailable?: boolean;
    timeoutMode?: CursorTimeoutMode;
    timeoutMS?: number;
} & BSONSerializeOptions

Type declaration

  • OptionalawaitData?: boolean
  • OptionalreadPreference?: ReadPreferenceLike
  • Optionalsession?: ClientSession
  • Optionaltailable?: boolean
  • Optional ExperimentaltimeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +When set to 'iteration', the deadline specified by timeoutMS applies to each call of +cursor.next(). +When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

    +

    Depending on the type of cursor being used, this option has different default values. +For non-tailable cursors, this value defaults to 'cursorLifetime' +For tailable cursors, this value defaults to 'iteration' since tailable cursors, by +definition can have an arbitrarily long lifetime.

    +
    const cursor = collection.find({}, {timeoutMS: 100, timeoutMode: 'iteration'});
    for await (const doc of cursor) {
    // process doc
    // This will throw a timeout error if any of the iterator's `next()` calls takes more than 100ms, but
    // will continue to iterate successfully otherwise, regardless of the number of batches.
    } +
    + +
    const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
    const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms. +
    + +
  • Optional ExperimentaltimeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. Note that if +maxTimeMS is provided in the command in addition to setting timeoutMS in the options, then +the original value of maxTimeMS will be overwritten.

    +
diff --git a/docs/6.14/types/SchemaMember.html b/docs/6.14/types/SchemaMember.html new file mode 100644 index 00000000000..79ca8707028 --- /dev/null +++ b/docs/6.14/types/SchemaMember.html @@ -0,0 +1 @@ +SchemaMember | mongodb

Type Alias SchemaMember<T, V>

SchemaMember<T, V>: {
    [P in keyof T]?: V
} | {
    [key: string]: V;
}

Type Parameters

  • T
  • V
diff --git a/docs/6.14/types/ServerApiVersion.html b/docs/6.14/types/ServerApiVersion.html new file mode 100644 index 00000000000..829968b9c0c --- /dev/null +++ b/docs/6.14/types/ServerApiVersion.html @@ -0,0 +1 @@ +ServerApiVersion | mongodb

Type Alias ServerApiVersion

ServerApiVersion: typeof ServerApiVersion[keyof typeof ServerApiVersion]
diff --git a/docs/6.14/types/ServerEvents.html b/docs/6.14/types/ServerEvents.html new file mode 100644 index 00000000000..226f7b2bb99 --- /dev/null +++ b/docs/6.14/types/ServerEvents.html @@ -0,0 +1 @@ +ServerEvents | mongodb

Type Alias ServerEvents

ServerEvents: {
    closed(): void;
    descriptionReceived(description: ServerDescription): void;
    ended(): void;
    serverHeartbeatFailed(event: ServerHeartbeatFailedEvent): void;
    serverHeartbeatStarted(event: ServerHeartbeatStartedEvent): void;
    serverHeartbeatSucceeded(event: ServerHeartbeatSucceededEvent): void;
} & ConnectionPoolEvents & EventEmitterWithState
diff --git a/docs/6.14/types/ServerMonitoringMode.html b/docs/6.14/types/ServerMonitoringMode.html new file mode 100644 index 00000000000..f83c456c369 --- /dev/null +++ b/docs/6.14/types/ServerMonitoringMode.html @@ -0,0 +1 @@ +ServerMonitoringMode | mongodb

Type Alias ServerMonitoringMode

ServerMonitoringMode: typeof ServerMonitoringMode[keyof typeof ServerMonitoringMode]
diff --git a/docs/6.14/types/ServerSessionId.html b/docs/6.14/types/ServerSessionId.html new file mode 100644 index 00000000000..fbc06ed259b --- /dev/null +++ b/docs/6.14/types/ServerSessionId.html @@ -0,0 +1 @@ +ServerSessionId | mongodb

Type Alias ServerSessionId

ServerSessionId: {
    id: Binary;
}
diff --git a/docs/6.14/types/ServerType.html b/docs/6.14/types/ServerType.html new file mode 100644 index 00000000000..d9be3a5bd54 --- /dev/null +++ b/docs/6.14/types/ServerType.html @@ -0,0 +1 @@ +ServerType | mongodb

Type Alias ServerType

ServerType: typeof ServerType[keyof typeof ServerType]
diff --git a/docs/6.14/types/SetFields.html b/docs/6.14/types/SetFields.html new file mode 100644 index 00000000000..d580bb3ed77 --- /dev/null +++ b/docs/6.14/types/SetFields.html @@ -0,0 +1 @@ +SetFields | mongodb

Type Alias SetFields<TSchema>

SetFields<TSchema>: {
    readonly [key in KeysOfAType<TSchema, ReadonlyArray<any> | undefined>]?: OptionalId<Flatten<TSchema[key]>> | AddToSetOperators<OptionalId<Flatten<TSchema[key]>>[]>
} & IsAny<TSchema[keyof TSchema], object, NotAcceptedFields<TSchema, ReadonlyArray<any> | undefined>> & {
    [key: string]: AddToSetOperators<any> | any;
}

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/SetProfilingLevelOptions.html b/docs/6.14/types/SetProfilingLevelOptions.html new file mode 100644 index 00000000000..650e52e2f92 --- /dev/null +++ b/docs/6.14/types/SetProfilingLevelOptions.html @@ -0,0 +1 @@ +SetProfilingLevelOptions | mongodb

Type Alias SetProfilingLevelOptions

SetProfilingLevelOptions: CommandOperationOptions
diff --git a/docs/6.14/types/SeverityLevel.html b/docs/6.14/types/SeverityLevel.html new file mode 100644 index 00000000000..7a9e32f45c9 --- /dev/null +++ b/docs/6.14/types/SeverityLevel.html @@ -0,0 +1 @@ +SeverityLevel | mongodb

Type Alias SeverityLevel

SeverityLevel: typeof SeverityLevel[keyof typeof SeverityLevel]
diff --git a/docs/6.14/types/Sort.html b/docs/6.14/types/Sort.html new file mode 100644 index 00000000000..ea249e28354 --- /dev/null +++ b/docs/6.14/types/Sort.html @@ -0,0 +1 @@ +Sort | mongodb

Type Alias Sort

Sort:
    | string
    | Exclude<SortDirection, {
        $meta: string;
    }>
    | string[]
    | {
        [key: string]: SortDirection;
    }
    | Map<string, SortDirection>
    | [string, SortDirection][]
    | [string, SortDirection]
diff --git a/docs/6.14/types/SortDirection.html b/docs/6.14/types/SortDirection.html new file mode 100644 index 00000000000..00acccbd433 --- /dev/null +++ b/docs/6.14/types/SortDirection.html @@ -0,0 +1 @@ +SortDirection | mongodb

Type Alias SortDirection

SortDirection:
    | 1
    | -1
    | "asc"
    | "desc"
    | "ascending"
    | "descending"
    | {
        $meta: string;
    }
diff --git a/docs/6.14/types/Stream.html b/docs/6.14/types/Stream.html new file mode 100644 index 00000000000..71749b16e22 --- /dev/null +++ b/docs/6.14/types/Stream.html @@ -0,0 +1 @@ +Stream | mongodb

Type Alias Stream

Stream: Socket | TLSSocket
diff --git a/docs/6.14/types/StrictFilter.html b/docs/6.14/types/StrictFilter.html new file mode 100644 index 00000000000..00082b9e15e --- /dev/null +++ b/docs/6.14/types/StrictFilter.html @@ -0,0 +1 @@ +StrictFilter | mongodb

Type Alias StrictFilter<TSchema>Experimental

StrictFilter<TSchema>: Partial<TSchema> | {
    [Property in Join<NestedPaths<WithId<TSchema>, []>, ".">]?: Condition<PropertyType<WithId<TSchema>, Property>>
} & RootFilterOperators<WithId<TSchema>>

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/StrictMatchKeysAndValues.html b/docs/6.14/types/StrictMatchKeysAndValues.html new file mode 100644 index 00000000000..6c2c72d28c4 --- /dev/null +++ b/docs/6.14/types/StrictMatchKeysAndValues.html @@ -0,0 +1 @@ +StrictMatchKeysAndValues | mongodb

Type Alias StrictMatchKeysAndValues<TSchema>Experimental

StrictMatchKeysAndValues<TSchema>: Readonly<{
    [Property in Join<NestedPaths<TSchema, []>, ".">]?: PropertyType<TSchema, Property>
} & {
    [Property in `${NestedPathsOfType<TSchema, any[]>}.$${`[${string}]` | ""}`]?: ArrayElement<PropertyType<TSchema, Property extends `${infer Key}.$${string}`
        ? Key
        : never>>
} & {
    [Property in `${NestedPathsOfType<TSchema, Record<string, any>[]>}.$${`[${string}]` | ""}.${string}`]?: any
} & Document>

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/StrictUpdateFilter.html b/docs/6.14/types/StrictUpdateFilter.html new file mode 100644 index 00000000000..82a342f7167 --- /dev/null +++ b/docs/6.14/types/StrictUpdateFilter.html @@ -0,0 +1 @@ +StrictUpdateFilter | mongodb

Type Alias StrictUpdateFilter<TSchema>Experimental

StrictUpdateFilter<TSchema>: {
    $addToSet?: SetFields<TSchema>;
    $bit?: OnlyFieldsOfType<TSchema, NumericType | undefined, {
        and: IntegerType;
    } | {
        or: IntegerType;
    } | {
        xor: IntegerType;
    }>;
    $currentDate?: OnlyFieldsOfType<TSchema, Date | Timestamp, true | {
        $type: "date" | "timestamp";
    }>;
    $inc?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
    $max?: StrictMatchKeysAndValues<TSchema>;
    $min?: StrictMatchKeysAndValues<TSchema>;
    $mul?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
    $pop?: OnlyFieldsOfType<TSchema, ReadonlyArray<any>, 1 | -1>;
    $pull?: PullOperator<TSchema>;
    $pullAll?: PullAllOperator<TSchema>;
    $push?: PushOperator<TSchema>;
    $rename?: Record<string, string>;
    $set?: StrictMatchKeysAndValues<TSchema>;
    $setOnInsert?: StrictMatchKeysAndValues<TSchema>;
    $unset?: OnlyFieldsOfType<TSchema, any, "" | true | 1>;
} & Document

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/SupportedNodeConnectionOptions.html b/docs/6.14/types/SupportedNodeConnectionOptions.html new file mode 100644 index 00000000000..61cba29d1dc --- /dev/null +++ b/docs/6.14/types/SupportedNodeConnectionOptions.html @@ -0,0 +1 @@ +SupportedNodeConnectionOptions | mongodb
diff --git a/docs/6.14/types/SupportedSocketOptions.html b/docs/6.14/types/SupportedSocketOptions.html new file mode 100644 index 00000000000..f5b61876d45 --- /dev/null +++ b/docs/6.14/types/SupportedSocketOptions.html @@ -0,0 +1 @@ +SupportedSocketOptions | mongodb

Type Alias SupportedSocketOptions

SupportedSocketOptions: Pick<TcpNetConnectOpts & {
    autoSelectFamily?: boolean;
    autoSelectFamilyAttemptTimeout?: number;
}, typeof LEGAL_TCP_SOCKET_OPTIONS[number]>
diff --git a/docs/6.14/types/SupportedTLSConnectionOptions.html b/docs/6.14/types/SupportedTLSConnectionOptions.html new file mode 100644 index 00000000000..b196aba43d6 --- /dev/null +++ b/docs/6.14/types/SupportedTLSConnectionOptions.html @@ -0,0 +1 @@ +SupportedTLSConnectionOptions | mongodb

Type Alias SupportedTLSConnectionOptions

SupportedTLSConnectionOptions: Pick<TLSConnectionOptions & {
    allowPartialTrustChain?: boolean;
}, typeof LEGAL_TLS_SOCKET_OPTIONS[number]>
diff --git a/docs/6.14/types/SupportedTLSSocketOptions.html b/docs/6.14/types/SupportedTLSSocketOptions.html new file mode 100644 index 00000000000..6d2bbc28163 --- /dev/null +++ b/docs/6.14/types/SupportedTLSSocketOptions.html @@ -0,0 +1 @@ +SupportedTLSSocketOptions | mongodb

Type Alias SupportedTLSSocketOptions

SupportedTLSSocketOptions: Pick<TLSSocketOptions, Extract<keyof TLSSocketOptions, typeof LEGAL_TLS_SOCKET_OPTIONS[number]>>
diff --git a/docs/6.14/types/TagSet.html b/docs/6.14/types/TagSet.html new file mode 100644 index 00000000000..3d423d6e2c4 --- /dev/null +++ b/docs/6.14/types/TagSet.html @@ -0,0 +1 @@ +TagSet | mongodb

Type Alias TagSet

TagSet: {
    [key: string]: string;
}
diff --git a/docs/6.14/types/TopologyEvents.html b/docs/6.14/types/TopologyEvents.html new file mode 100644 index 00000000000..0fa52386c31 --- /dev/null +++ b/docs/6.14/types/TopologyEvents.html @@ -0,0 +1 @@ +TopologyEvents | mongodb

Type Alias TopologyEvents

TopologyEvents: {
    close(): void;
    error(error: Error): void;
    serverClosed(event: ServerClosedEvent): void;
    serverDescriptionChanged(event: ServerDescriptionChangedEvent): void;
    serverOpening(event: ServerOpeningEvent): void;
    timeout(): void;
    topologyClosed(event: TopologyClosedEvent): void;
    topologyDescriptionChanged(event: TopologyDescriptionChangedEvent): void;
    topologyOpening(event: TopologyOpeningEvent): void;
} & Omit<ServerEvents, "connect"> & ConnectionPoolEvents & ConnectionEvents & EventEmitterWithState
diff --git a/docs/6.14/types/TopologyType.html b/docs/6.14/types/TopologyType.html new file mode 100644 index 00000000000..85119284b10 --- /dev/null +++ b/docs/6.14/types/TopologyType.html @@ -0,0 +1 @@ +TopologyType | mongodb

Type Alias TopologyType

TopologyType: typeof TopologyType[keyof typeof TopologyType]
diff --git a/docs/6.14/types/UpdateFilter.html b/docs/6.14/types/UpdateFilter.html new file mode 100644 index 00000000000..d35448b290f --- /dev/null +++ b/docs/6.14/types/UpdateFilter.html @@ -0,0 +1 @@ +UpdateFilter | mongodb

Type Alias UpdateFilter<TSchema>

UpdateFilter<TSchema>: {
    $addToSet?: SetFields<TSchema>;
    $bit?: OnlyFieldsOfType<TSchema, NumericType | undefined, {
        and: IntegerType;
    } | {
        or: IntegerType;
    } | {
        xor: IntegerType;
    }>;
    $currentDate?: OnlyFieldsOfType<TSchema, Date | Timestamp, true | {
        $type: "date" | "timestamp";
    }>;
    $inc?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
    $max?: MatchKeysAndValues<TSchema>;
    $min?: MatchKeysAndValues<TSchema>;
    $mul?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
    $pop?: OnlyFieldsOfType<TSchema, ReadonlyArray<any>, 1 | -1>;
    $pull?: PullOperator<TSchema>;
    $pullAll?: PullAllOperator<TSchema>;
    $push?: PushOperator<TSchema>;
    $rename?: Record<string, string>;
    $set?: MatchKeysAndValues<TSchema>;
    $setOnInsert?: MatchKeysAndValues<TSchema>;
    $unset?: OnlyFieldsOfType<TSchema, any, "" | true | 1>;
} & Document

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/W.html b/docs/6.14/types/W.html new file mode 100644 index 00000000000..ebfd0d2bfe5 --- /dev/null +++ b/docs/6.14/types/W.html @@ -0,0 +1 @@ +W | mongodb

Type Alias W

W: number | "majority"
diff --git a/docs/6.14/types/WithId.html b/docs/6.14/types/WithId.html new file mode 100644 index 00000000000..8d24a2f8048 --- /dev/null +++ b/docs/6.14/types/WithId.html @@ -0,0 +1,2 @@ +WithId | mongodb

Type Alias WithId<TSchema>

WithId<TSchema>: EnhancedOmit<TSchema, "_id"> & {
    _id: InferIdType<TSchema>;
}

Add an _id field to an object shaped type

+

Type Parameters

  • TSchema
diff --git a/docs/6.14/types/WithSessionCallback.html b/docs/6.14/types/WithSessionCallback.html new file mode 100644 index 00000000000..9489787f7af --- /dev/null +++ b/docs/6.14/types/WithSessionCallback.html @@ -0,0 +1 @@ +WithSessionCallback | mongodb

Type Alias WithSessionCallback<T>

WithSessionCallback<T>: ((session: ClientSession) => Promise<T>)

Type Parameters

  • T = unknown
diff --git a/docs/6.14/types/WithTransactionCallback.html b/docs/6.14/types/WithTransactionCallback.html new file mode 100644 index 00000000000..f171fe2641d --- /dev/null +++ b/docs/6.14/types/WithTransactionCallback.html @@ -0,0 +1 @@ +WithTransactionCallback | mongodb

Type Alias WithTransactionCallback<T>

WithTransactionCallback<T>: ((session: ClientSession) => Promise<T>)

Type Parameters

  • T = any
diff --git a/docs/6.14/types/WithoutId.html b/docs/6.14/types/WithoutId.html new file mode 100644 index 00000000000..7add6bf93b3 --- /dev/null +++ b/docs/6.14/types/WithoutId.html @@ -0,0 +1,2 @@ +WithoutId | mongodb

Type Alias WithoutId<TSchema>

WithoutId<TSchema>: Omit<TSchema, "_id">

Remove the _id field from an object shaped type

+

Type Parameters

  • TSchema
diff --git a/docs/6.14/variables/AuthMechanism-1.html b/docs/6.14/variables/AuthMechanism-1.html new file mode 100644 index 00000000000..3e7c3b91d0e --- /dev/null +++ b/docs/6.14/variables/AuthMechanism-1.html @@ -0,0 +1 @@ +AuthMechanism | mongodb

Variable AuthMechanismConst

AuthMechanism: Readonly<{
    MONGODB_AWS: "MONGODB-AWS";
    MONGODB_CR: "MONGODB-CR";
    MONGODB_DEFAULT: "DEFAULT";
    MONGODB_GSSAPI: "GSSAPI";
    MONGODB_OIDC: "MONGODB-OIDC";
    MONGODB_PLAIN: "PLAIN";
    MONGODB_SCRAM_SHA1: "SCRAM-SHA-1";
    MONGODB_SCRAM_SHA256: "SCRAM-SHA-256";
    MONGODB_X509: "MONGODB-X509";
}> = ...
diff --git a/docs/6.14/variables/AutoEncryptionLoggerLevel-1.html b/docs/6.14/variables/AutoEncryptionLoggerLevel-1.html new file mode 100644 index 00000000000..e1b3b836053 --- /dev/null +++ b/docs/6.14/variables/AutoEncryptionLoggerLevel-1.html @@ -0,0 +1 @@ +AutoEncryptionLoggerLevel | mongodb

Variable AutoEncryptionLoggerLevelConst

AutoEncryptionLoggerLevel: Readonly<{
    Error: 1;
    FatalError: 0;
    Info: 3;
    Trace: 4;
    Warning: 2;
}> = ...
diff --git a/docs/6.14/variables/BSON.BSONType-1.html b/docs/6.14/variables/BSON.BSONType-1.html new file mode 100644 index 00000000000..03f1aed191e --- /dev/null +++ b/docs/6.14/variables/BSON.BSONType-1.html @@ -0,0 +1 @@ +BSONType | mongodb

Variable BSONTypeConst

BSONType: Readonly<{
    array: 4;
    binData: 5;
    bool: 8;
    date: 9;
    dbPointer: 12;
    decimal: 19;
    double: 1;
    int: 16;
    javascript: 13;
    javascriptWithScope: 15;
    long: 18;
    maxKey: 127;
    minKey: -1;
    null: 10;
    object: 3;
    objectId: 7;
    regex: 11;
    string: 2;
    symbol: 14;
    timestamp: 17;
    undefined: 6;
}>
diff --git a/docs/6.14/variables/BSON.EJSON.html b/docs/6.14/variables/BSON.EJSON.html new file mode 100644 index 00000000000..0104bd08116 --- /dev/null +++ b/docs/6.14/variables/BSON.EJSON.html @@ -0,0 +1 @@ +EJSON | mongodb

Variable EJSONConst

EJSON: {
    deserialize: typeof EJSONdeserialize;
    parse: typeof parse;
    serialize: typeof EJSONserialize;
    stringify: typeof stringify;
}
diff --git a/docs/6.14/variables/BSON.LongWithoutOverridesClass.html b/docs/6.14/variables/BSON.LongWithoutOverridesClass.html new file mode 100644 index 00000000000..aa0940b3f30 --- /dev/null +++ b/docs/6.14/variables/BSON.LongWithoutOverridesClass.html @@ -0,0 +1 @@ +LongWithoutOverridesClass | mongodb

Variable LongWithoutOverridesClassConst

LongWithoutOverridesClass: LongWithoutOverrides
diff --git a/docs/6.14/variables/BSON.onDemand-1.html b/docs/6.14/variables/BSON.onDemand-1.html new file mode 100644 index 00000000000..b660672f4b4 --- /dev/null +++ b/docs/6.14/variables/BSON.onDemand-1.html @@ -0,0 +1 @@ +onDemand | mongodb

Variable onDemandConst Experimental

onDemand: OnDemand
diff --git a/docs/6.14/variables/BatchType-1.html b/docs/6.14/variables/BatchType-1.html new file mode 100644 index 00000000000..1b8d951d912 --- /dev/null +++ b/docs/6.14/variables/BatchType-1.html @@ -0,0 +1 @@ +BatchType | mongodb

Variable BatchTypeConst

BatchType: Readonly<{
    DELETE: 3;
    INSERT: 1;
    UPDATE: 2;
}> = ...
diff --git a/docs/6.14/variables/CURSOR_FLAGS.html b/docs/6.14/variables/CURSOR_FLAGS.html new file mode 100644 index 00000000000..9af51ec397b --- /dev/null +++ b/docs/6.14/variables/CURSOR_FLAGS.html @@ -0,0 +1 @@ +CURSOR_FLAGS | mongodb

Variable CURSOR_FLAGSConst

CURSOR_FLAGS: readonly ["tailable", "oplogReplay", "noCursorTimeout", "awaitData", "exhaust", "partial"] = ...
diff --git a/docs/6.14/variables/Compressor-1.html b/docs/6.14/variables/Compressor-1.html new file mode 100644 index 00000000000..dd8fe86d364 --- /dev/null +++ b/docs/6.14/variables/Compressor-1.html @@ -0,0 +1 @@ +Compressor | mongodb

Variable CompressorConst

Compressor: Readonly<{
    none: 0;
    snappy: 1;
    zlib: 2;
    zstd: 3;
}> = ...
diff --git a/docs/6.14/variables/CursorTimeoutMode-1.html b/docs/6.14/variables/CursorTimeoutMode-1.html new file mode 100644 index 00000000000..e7fb61f1f9b --- /dev/null +++ b/docs/6.14/variables/CursorTimeoutMode-1.html @@ -0,0 +1,15 @@ +CursorTimeoutMode | mongodb

Variable CursorTimeoutModeConst Experimental

CursorTimeoutMode: Readonly<{
    ITERATION: "iteration";
    LIFETIME: "cursorLifetime";
}> = ...

Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +When set to 'iteration', the deadline specified by timeoutMS applies to each call of +cursor.next(). +When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

+

Depending on the type of cursor being used, this option has different default values. +For non-tailable cursors, this value defaults to 'cursorLifetime' +For tailable cursors, this value defaults to 'iteration' since tailable cursors, by +definition can have an arbitrarily long lifetime.

+
const cursor = collection.find({}, {timeoutMS: 100, timeoutMode: 'iteration'});
for await (const doc of cursor) {
// process doc
// This will throw a timeout error if any of the iterator's `next()` calls takes more than 100ms, but
// will continue to iterate successfully otherwise, regardless of the number of batches.
} +
+ +
const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms. +
+ +
diff --git a/docs/6.14/variables/ExplainVerbosity-1.html b/docs/6.14/variables/ExplainVerbosity-1.html new file mode 100644 index 00000000000..e1a817400af --- /dev/null +++ b/docs/6.14/variables/ExplainVerbosity-1.html @@ -0,0 +1 @@ +ExplainVerbosity | mongodb

Variable ExplainVerbosityConst

ExplainVerbosity: Readonly<{
    allPlansExecution: "allPlansExecution";
    executionStats: "executionStats";
    queryPlanner: "queryPlanner";
    queryPlannerExtended: "queryPlannerExtended";
}> = ...
diff --git a/docs/6.14/variables/GSSAPICanonicalizationValue-1.html b/docs/6.14/variables/GSSAPICanonicalizationValue-1.html new file mode 100644 index 00000000000..d2439040255 --- /dev/null +++ b/docs/6.14/variables/GSSAPICanonicalizationValue-1.html @@ -0,0 +1 @@ +GSSAPICanonicalizationValue | mongodb

Variable GSSAPICanonicalizationValueConst

GSSAPICanonicalizationValue: Readonly<{
    forward: "forward";
    forwardAndReverse: "forwardAndReverse";
    none: "none";
    off: false;
    on: true;
}> = ...
diff --git a/docs/6.14/variables/LEGAL_TCP_SOCKET_OPTIONS.html b/docs/6.14/variables/LEGAL_TCP_SOCKET_OPTIONS.html new file mode 100644 index 00000000000..8fd43bede27 --- /dev/null +++ b/docs/6.14/variables/LEGAL_TCP_SOCKET_OPTIONS.html @@ -0,0 +1 @@ +LEGAL_TCP_SOCKET_OPTIONS | mongodb

Variable LEGAL_TCP_SOCKET_OPTIONSConst

LEGAL_TCP_SOCKET_OPTIONS: readonly ["autoSelectFamily", "autoSelectFamilyAttemptTimeout", "family", "hints", "localAddress", "localPort", "lookup"] = ...
diff --git a/docs/6.14/variables/LEGAL_TLS_SOCKET_OPTIONS.html b/docs/6.14/variables/LEGAL_TLS_SOCKET_OPTIONS.html new file mode 100644 index 00000000000..888b9e431bc --- /dev/null +++ b/docs/6.14/variables/LEGAL_TLS_SOCKET_OPTIONS.html @@ -0,0 +1 @@ +LEGAL_TLS_SOCKET_OPTIONS | mongodb

Variable LEGAL_TLS_SOCKET_OPTIONSConst

LEGAL_TLS_SOCKET_OPTIONS: readonly ["allowPartialTrustChain", "ALPNProtocols", "ca", "cert", "checkServerIdentity", "ciphers", "crl", "ecdhCurve", "key", "minDHSize", "passphrase", "pfx", "rejectUnauthorized", "secureContext", "secureProtocol", "servername", "session"] = ...
diff --git a/docs/6.14/variables/MONGO_CLIENT_EVENTS.html b/docs/6.14/variables/MONGO_CLIENT_EVENTS.html new file mode 100644 index 00000000000..5f9ff7be5b3 --- /dev/null +++ b/docs/6.14/variables/MONGO_CLIENT_EVENTS.html @@ -0,0 +1 @@ +MONGO_CLIENT_EVENTS | mongodb

Variable MONGO_CLIENT_EVENTSConst

MONGO_CLIENT_EVENTS: readonly ["connectionPoolCreated", "connectionPoolReady", "connectionPoolCleared", "connectionPoolClosed", "connectionCreated", "connectionReady", "connectionClosed", "connectionCheckOutStarted", "connectionCheckOutFailed", "connectionCheckedOut", "connectionCheckedIn", "commandStarted", "commandSucceeded", "commandFailed", "serverOpening", "serverClosed", "serverDescriptionChanged", "topologyOpening", "topologyClosed", "topologyDescriptionChanged", "error", "timeout", "close", "serverHeartbeatStarted", "serverHeartbeatSucceeded", "serverHeartbeatFailed"] = ...
diff --git a/docs/6.14/variables/MongoErrorLabel-1.html b/docs/6.14/variables/MongoErrorLabel-1.html new file mode 100644 index 00000000000..fb00e7e6c8b --- /dev/null +++ b/docs/6.14/variables/MongoErrorLabel-1.html @@ -0,0 +1 @@ +MongoErrorLabel | mongodb

Variable MongoErrorLabelConst

MongoErrorLabel: Readonly<{
    HandshakeError: "HandshakeError";
    InterruptInUseConnections: "InterruptInUseConnections";
    NoWritesPerformed: "NoWritesPerformed";
    PoolRequstedRetry: "PoolRequstedRetry";
    ResetPool: "ResetPool";
    ResumableChangeStreamError: "ResumableChangeStreamError";
    RetryableWriteError: "RetryableWriteError";
    TransientTransactionError: "TransientTransactionError";
    UnknownTransactionCommitResult: "UnknownTransactionCommitResult";
}> = ...
diff --git a/docs/6.14/variables/MongoLoggableComponent-1.html b/docs/6.14/variables/MongoLoggableComponent-1.html new file mode 100644 index 00000000000..f3e33c81e23 --- /dev/null +++ b/docs/6.14/variables/MongoLoggableComponent-1.html @@ -0,0 +1 @@ +MongoLoggableComponent | mongodb

Variable MongoLoggableComponentConst

MongoLoggableComponent: Readonly<{
    CLIENT: "client";
    COMMAND: "command";
    CONNECTION: "connection";
    SERVER_SELECTION: "serverSelection";
    TOPOLOGY: "topology";
}> = ...
diff --git a/docs/6.14/variables/ProfilingLevel-1.html b/docs/6.14/variables/ProfilingLevel-1.html new file mode 100644 index 00000000000..cf138420d07 --- /dev/null +++ b/docs/6.14/variables/ProfilingLevel-1.html @@ -0,0 +1 @@ +ProfilingLevel | mongodb

Variable ProfilingLevelConst

ProfilingLevel: Readonly<{
    all: "all";
    off: "off";
    slowOnly: "slow_only";
}> = ...
diff --git a/docs/6.14/variables/ReadConcernLevel-1.html b/docs/6.14/variables/ReadConcernLevel-1.html new file mode 100644 index 00000000000..13710265251 --- /dev/null +++ b/docs/6.14/variables/ReadConcernLevel-1.html @@ -0,0 +1 @@ +ReadConcernLevel | mongodb

Variable ReadConcernLevelConst

ReadConcernLevel: Readonly<{
    available: "available";
    linearizable: "linearizable";
    local: "local";
    majority: "majority";
    snapshot: "snapshot";
}> = ...
diff --git a/docs/6.14/variables/ReadPreferenceMode-1.html b/docs/6.14/variables/ReadPreferenceMode-1.html new file mode 100644 index 00000000000..c6dc3f2a4ed --- /dev/null +++ b/docs/6.14/variables/ReadPreferenceMode-1.html @@ -0,0 +1 @@ +ReadPreferenceMode | mongodb

Variable ReadPreferenceModeConst

ReadPreferenceMode: Readonly<{
    nearest: "nearest";
    primary: "primary";
    primaryPreferred: "primaryPreferred";
    secondary: "secondary";
    secondaryPreferred: "secondaryPreferred";
}> = ...
diff --git a/docs/6.14/variables/ReturnDocument-1.html b/docs/6.14/variables/ReturnDocument-1.html new file mode 100644 index 00000000000..71135dcd53d --- /dev/null +++ b/docs/6.14/variables/ReturnDocument-1.html @@ -0,0 +1 @@ +ReturnDocument | mongodb

Variable ReturnDocumentConst

ReturnDocument: Readonly<{
    AFTER: "after";
    BEFORE: "before";
}> = ...
diff --git a/docs/6.14/variables/ServerApiVersion-1.html b/docs/6.14/variables/ServerApiVersion-1.html new file mode 100644 index 00000000000..f4a67bf218e --- /dev/null +++ b/docs/6.14/variables/ServerApiVersion-1.html @@ -0,0 +1 @@ +ServerApiVersion | mongodb

Variable ServerApiVersionConst

ServerApiVersion: Readonly<{
    v1: "1";
}> = ...
diff --git a/docs/6.14/variables/ServerMonitoringMode-1.html b/docs/6.14/variables/ServerMonitoringMode-1.html new file mode 100644 index 00000000000..73d5edb5b54 --- /dev/null +++ b/docs/6.14/variables/ServerMonitoringMode-1.html @@ -0,0 +1 @@ +ServerMonitoringMode | mongodb

Variable ServerMonitoringModeConst

ServerMonitoringMode: Readonly<{
    auto: "auto";
    poll: "poll";
    stream: "stream";
}> = ...
diff --git a/docs/6.14/variables/ServerType-1.html b/docs/6.14/variables/ServerType-1.html new file mode 100644 index 00000000000..03b81628cbe --- /dev/null +++ b/docs/6.14/variables/ServerType-1.html @@ -0,0 +1,2 @@ +ServerType | mongodb

Variable ServerTypeConst

ServerType: Readonly<{
    LoadBalancer: "LoadBalancer";
    Mongos: "Mongos";
    PossiblePrimary: "PossiblePrimary";
    RSArbiter: "RSArbiter";
    RSGhost: "RSGhost";
    RSOther: "RSOther";
    RSPrimary: "RSPrimary";
    RSSecondary: "RSSecondary";
    Standalone: "Standalone";
    Unknown: "Unknown";
}> = ...

An enumeration of server types we know about

+
diff --git a/docs/6.14/variables/SeverityLevel-1.html b/docs/6.14/variables/SeverityLevel-1.html new file mode 100644 index 00000000000..6eb17be92d4 --- /dev/null +++ b/docs/6.14/variables/SeverityLevel-1.html @@ -0,0 +1,3 @@ +SeverityLevel | mongodb

Variable SeverityLevelConst

SeverityLevel: Readonly<{
    ALERT: "alert";
    CRITICAL: "critical";
    DEBUG: "debug";
    EMERGENCY: "emergency";
    ERROR: "error";
    INFORMATIONAL: "info";
    NOTICE: "notice";
    OFF: "off";
    TRACE: "trace";
    WARNING: "warn";
}> = ...

Severity levels align with unix syslog. +Most typical driver functions will log to debug.

+
diff --git a/docs/6.14/variables/TopologyType-1.html b/docs/6.14/variables/TopologyType-1.html new file mode 100644 index 00000000000..4b016702217 --- /dev/null +++ b/docs/6.14/variables/TopologyType-1.html @@ -0,0 +1,2 @@ +TopologyType | mongodb

Variable TopologyTypeConst

TopologyType: Readonly<{
    LoadBalanced: "LoadBalanced";
    ReplicaSetNoPrimary: "ReplicaSetNoPrimary";
    ReplicaSetWithPrimary: "ReplicaSetWithPrimary";
    Sharded: "Sharded";
    Single: "Single";
    Unknown: "Unknown";
}> = ...

An enumeration of topology types we know about

+
diff --git a/docs/Next/assets/navigation.js b/docs/Next/assets/navigation.js index 9287ef4dc79..2ca85798226 100644 --- a/docs/Next/assets/navigation.js +++ b/docs/Next/assets/navigation.js @@ -1 +1 @@ -window.navigationData = "data:application/octet-stream;base64,H4sIAAAAAAAAE62dW3PjuJXHv4v3dWaT7rls0m9uW+5RfJHLsqcfUqkumIQlrClQC0IeK6l89y2QFInLwTmH7LypdP74/UmQxB3k3/91ZuW7Pft09llpYY5nP5zthd2efTrb1eWhks1/b+2u+q8h+Kp0efbp5w9//fmnP//87x/G1OvV3YPcLN73OYIvwCjr4+65rhDKIMAoj8e9RBh9OEe4qMtc6j6US3n5+UG+ZJKeYtm0slA7UX34+JccwBfkKKVspFGiUv/MnUKoyB5NXRx2UtvcsYzhPOHwXOUOYgjmUi+1/eljJvEplkt7U+tNJmkfyqW8Fe/XMvcUDMFsaqWR1KdgLvXq+X9lYZdlJr0XzhGoK8+57o9qJxsrdrkH2Y/nGE9Py8tM8j6EPbtJyj+5f9vkY8ofzopKNM3ZpzPblD+q5kf5bqXRwkmKrapKI/XZp79ni7c29QndBUOHDx//kveIjnhhTG1y7FN8Pn718tJIS5l4qvlWcRmeuHSC7zA4aKt2kjoZXzbfLK5LEptOMN/gd1EdJMJv49+Bl6ZRtaYyy5fNMwsrvMDAheZBo7owoLaxmVigmgzZg2CmQVRvhfA2OA8cVWkBt43Nw4a1XUB1oXnQuCIMsF1wJjiqI0NwG5wHTqvPAH0Kz4MDtWJAH+Lz8GGFGZBdaGYJ0tZqi3crdSm9bFHaSvMiirD2O+lCr4+//DrD60ZuRHHkOnbqmb5DlcQ4z0T7n/IkzzeTYr5/V3HxzjnUzvN0tQDt5qvm+bT1wo16lXmTQTLTYagd6PNJtXM9h5b3am9VrRvMM9bO9Ez6b4lTr5jLdxUhIw8D3TyvtnKkrQLZPCdXYdJGvmqeT1eD0k6hbqZXW6kyvALdPK9TLUu7xcrv88OLDF81z2fNfn5j5Ty/oT1BZ2Qi/Z4afC3/7yB14eWlPe7DavskiWz+/Nf/+fDLR3YFFg7Q+SZ9cD7+QlTFoRJWdpd9DV01zzAvn38Ii7+5Djli6gvm27hy6Kuy2/pgV2/SGFVK2A4Szrdd6Uu5E7oErU7B+fjhhsbPKZXNt3SN7PRJ88x8wX/yxn8TRonnKr75f/wQmvw04bbLwtvoLC50+1y0yXJe2RSz/OvkhovsToKZ+VakRcBo9XLQRfucdlaANvT8FRmbpMbpIy9P870ea2uk2HGcOuUsP/qMvu98htTu1vp8eHmR5lyXS13Kd9oxTTPzGOxSd393NPRuAdUTfP/hOZ8/N9aIwl4cTAONB4bxZMzAJ5U7pQGA+xtNt9kYuRHu/LIHEUsw3mdhiy0w7uH+RtMdqtfVXprW5rNooMG6WELxvhpl5YNsDpWFaZ4AY10IXciqan0f61cJ5HMiQXlboTfJ4zugvChKqZTUdqELc2wbHQApUtC0tWwaBNWHUU5dVbLIHM8Qwwk7V+5fCVXJcvEW9HdHUqxhENdWGEshfRGHeSgKKUuSGshwrtZdHl1sZfEqy6XOomHlJPrqYLn4k3QCf3WwxGVE5NN8qIuL6ZlOVd1wDEYZk2ukYB25p+OR7+u6uqikMAx6rJ3iwMqXSDqBz8yfWMt3uK21srVResMyieR8nwcpyiPLYlTy6Dwyj3r5nDIun7EUi/d9JZR2jfdcGyKRYLwrpcscaIxRhK6pUJsGhgxhjPPFqPJq/flQvEogZ/0ol+KuQa7mh3VcctuY4aA9Icb+rW7seVka2QA56AUxxo1q7FjrN7mLCsoobtvelygzkFC8tRSm2DKogBBj39Z6U5/fLzNT/kGY5nxdo5w+THP+eTC5FRuRgGS1bfsHuXiXxcHm1zbktbTDqa2OogMRyfSb2Rg20dHktq2cw7VBJmM4pe4uQw8zm2Cq1wSXeXzOfYKmoR3r3V5Y9awqZY+oTSKk2UaWUlslKqBYjBUM2nFv22ft+nb94Ibhm9yqMFzPc+raR5fCCjctRPmk6ikufb9TlmPJznTMpeS5kyYTWEv9JipVnptNO61KoiE9z2m8nHfS/lGbVzcWXh9oSzQh7d2VE+9bcWhcwxlzA6RM/lI/NXi5EslI7uXn8d64EzvZ7EUBDBnltQwHmjuBJot6tzfd+AmWE6mQZhv1JtHKwVOQNIzDJLzvlZHlmj5ZQEnSv1zcY8hTmOa0LeKL7UG/orxIxuTS7YpER5InFEazyqFraZ6lqRsMHGhI4q1qGqU3XoWIsTNqrsul3Lu5PF2gFRssJj36shUj+xIuj1HIzynV72rb9/rxIj3RkeTV8vICIw5xmnQayWfkAaglHe6FwWudUUCy8DXuiYTkraV5k6YfD0OgiY5JpplTaGvJaMBBUpp/bKxEy0lPQdIeharGISaMCihper2vq3pzpK8aoKTpRuhGkLkcy0juk5bv+/YJ7y7Qg2z2tcYfDDQN6dh1QGtdSIOeSqLDyCtTSiPLYA4w5UIqjOpG2fojSGFekGLcG/kiTbjKyseMcZR00P18UW74KVZgtL7oEHvRdm+VBPqrqYZBxMb7EwnNu5RNYVRmCjORTOJ1Yzf4sWbktM9vUhj7LAU+xZXXTnDAJ7cQ8RQPYiYTldM+q73U+QmWVEMTs3PVQRjltI1v/P6LJRgvKvbhUwVEHCZ6lIBoIhN/UogEHC/8+kMqlDrWggBsDKKM474//sVOWSuB4jaRYLwnXbPqKFiHkf2KMuX5US4lUy1PqpGxwWLe6HC4uglbhg0qo0Wbv/wKLGtCF3fHIg5wWATFAcdi1KA56uJSNfu6EcFeRZ8balDcwW5hxsFuqYS3stgKrZrdvan30oRth4gFaAl8Pa5IQjMRUqLor+tRfy2PKBzWEvjr2/W9qd9UKc1FrV/U5hA/5KFFTo/atBNv7PPIqTGLdgcZd/cDufkBWnQ3FGtR+eCzYS0TjxxzJMKA/tyeGyO+rUt0jxWiZ9t0cypsl0A+zaSdoZ7oFKTh2l3KSk44p1DONun141h+uMM2ZwYmm26622Ue87x8qkmwh5pwSLZU0/jhOQObkoQflJh9AKbeu0nEZ9FMuEmARJMMJxnNMJj2dCUpuFZL3Uhj2T6hnG/SThdMKZjSJFwzN2m2DqfVMh6DkovG6gVAx8U+yBel5ViCrLfClNfyyM4sCsA/EC12/GsUyvkm+0oUU1wCPd+mcbkwZsoEw0xKrvV6pnEmHdt2X6l4tXXOaZBy4U/7SY9vKEdN0NVBPp5cG4SC0WcXlE6Ax5tA8mxoNwiE7hoxt0Ifb+tSVgg6UnLRKy155JOQCybzwpfR0LHzESwXOvV76MvKA0w5kP7XFOswyRSzKS4z8A/yDyP27u75joylIN91QOT9RKal7btmDeORCIUTwORZREoafSutKIUVCPMk4cPoqx4paXRffzMyN1LS6H4Mnj7oUEiDu+qLU/pGSi6akRuhkAsm7zNfRkPbOos60lGEA+uGqIVHQQIaN7yWcm9k4bbhBG9wqNyqQeOv6cS9cnL8FNpUbpUIRnVxFFP3OznRI4xEFLA7iaV+qbO4UcKDUYfHz7duTnno5ONgUIvjTzuQcHCk4iHddike1lMy0AwmC3bQQ3e8wZmAkkSTRA6obXYxbytYS+P77TI0OxSi4HZqhdHzT3UYtm+agKg+hiZ/xo5liOKItRX43RJKUBijozKhi8LonPC7Jb0SO09fQaOQ2pXbq+l0LndlticdaVBcu/Q6W+yPYRxS73nPJ6jE0AtdMlppiQpFup4/Ncgci1BgY9XONSjG8XWi6ENToFbdPtWhkkMsICUDzWAyYFeqsu2CmXiLq0eLNDhOlystz3VJP5IZLQ9/6kKw+KGYZ9C3yln8QEviKSSNcXsTuBO7GS2K9/b4ouhUx8WOu5K5BkmK2VbuZT8P8k01uSKFnZp7CN5Gae7ppklos3ZzCUJu4zTmSmVWjYxhDPKbLDfoc+MLMNCyvM9Wd32MSB4uOs6BQhWKbCfeiAopFpFAdyJmR/aXMloc74aaXHMMac/EIhqINtr4A2eDEj/rUMQCkmfLGn27vl3yi9mcmDKYtBIIS4AbDWlyRz8KMFD0fgUsQ2ApBT/N1JPoWMgGI/cGoEOxdSGqSdcPTYFZ3dalesEeYl+Ag4Y98VgOpzIaOu62o8mJlsT7m+JIPiAmDUgoD+Re6EOgPAkGczvgLkRVPYvi9V4YsYOBqYyCovWhL0BBnCG+KWN7969XorC1gcdLhiiKMPU7Wkj7Agz04Oa3MZAvQEHBlp0rU6Ptv6yab+HeYs238NR8Cz6ehXYrS3Ckp8BR9PTThIknRgeT3610BTN1mp5i8qTIQ11bTk8e0GGH7b2giGr1wlIc7toGpw07+ZwBdDjWCc/3KgProygi3quDHl5GjBm4eSO3HFo2vME4RI/apLttUJesnGPSf2gKJfcaFDfuuUGPNZFh0H6REnELJyoaiY+GT5gyZkwW86eJ6aEr9oAVOdfMnWXudPhoeKTBcL/3a0Z5z09WjVkke5guc2swQOUkNJLBGS0Xj2ULoONi19JapTc09yTEwOGmrHa1YvJaf0gTMbuX7fvcopDu7U9XSlZlSgyiJKssH+u1tED92uNiAUms2hd5W/UmoQ9eRGGSpo/pRpiECYkY5GhpY1RGDWxIxqBHK0EHHLTwM01vjDguqqhQ6RlejMU5XTsQdAqSJH8vW0LygwySt3Ft8W5NumxrwGaU0zxu6s1Gmhv5BlzfnJB06F8yRwyT9C6YmHJq3wkJfjzmFCAJyv6hGtk1kROKHyRJ/dc6zislwG+UDEGKdOrcx5DT/2R6YBdOwgI0U7hwmZ0qSCajoJlTysTrR6PVq7BFVj7VbV2DM2mwVyCe6vQIDL7BNo+5obeMx+nVavCFTiUktd3ZlsF5MQanfcldWmiPET7DbRTKc1yUZulSQSXbEGAQ+nVmudwJ43yeW7dGMUcNyV1f3Syub9fIPZcoSGbburuqxCZhDREeo3/B123w8WIf5Qko4qVqrNLASr6OF4VJmrchMUdMJRxqbmncCEXXxCXMhd66r5GUq51Kagw/RnK8F1+46fO2h5cAIRGL3IAde4/a5Pv0KbFbOfO7NM91o+wxAUbxqbzwY4QwE/gUYcKFmyi8tok/AgjdKXGc5FXCWpnkff83lfrLBWMStCMiUtJFamlU4ab43K+EHIZJmrdSAy5RUwXJXK/P75cXQtdaFe5FCe15RV+R7+F5KeXym0pbf+4/Kl08stu+8LpIUBnZVHq47gNGA+s/Mlxl4g8J+cRTlMVa72WhXlQB3p6pgma+SLMsoT6LF6IpVm6kgSlDiKQ05zop7to/qZR/q1WSF+4/Kt21PDarl3PouL0Qj7KyWzgHojBF8772kKlHUwWHGXzrASFDOop/67q37jzPddkWAgk5VZDMcQUAXMAlAhaxHdO5Ec9pty4KM2huHj17bGOQIt1J9xbye2G3CccLTaCsXqD7MBGQxFr73ybOdd0zMppu8eHRREASDztXhYLnPoYoir+c4ar/XmKMgzQkV8uVua1NcmxDgCZUxy4n4Ascx0me/y7iBOYHaZJTimqZfJ92jHAZT7qSTeM+BOBeqJ4nxjqKf2/qF1UpvQEHF8PoNFamMAVFDLJ79dgRur5+jOQcquq8qnLjyVGYQ8NQfE6zzXPGGMXx3mcLXs04PoUHdI+iMIcWLnGBgKFiGhMaVEgVNHOzeN+v3H4ypZPxjjBKs3b1m3xqgJUUJ1wkoIluPUr0kdITawjRFHswwHtRTiA/SrIO2d00PS4WcIjtWBDNBWQUfV1s5U7cyt1z2t30YyTntGQlWWHRs6I4jwc3nPwYjzN+wxB6KiANj9sPJqcVUBTm0aDyfIzQDAu3kYYAg8CqtHI6kl+b5Oly/3HSZbvHQZAkRd8L7BHAxwHBtKqw8IiWH+Nx6N5QTsfjd6tUsKP1FSTzsN/X7jXbd3Upkf3tPR9Vs73QCSlYxWY/3qz5pwGJpzjxTiQWUg6PYrOWyfPU/Uum7Ze6weVrGOWyoNLLj1Ec7I6dcq9+jRN/JVMou02L8O5fTtr6YOHkbYBD6CuK3CQ6IOFQveWHGBmQzVw98iaMcm9qjlaQ/Pgh5P0UoailHQEWFqMWwIqLETkEUQQ0gTsyxigOeXpYrx6+Xd2cf1mDGC+OYfJThx4rFqFHlp9PGomxBgWypglGNiJHbW4WX85vvj1e3H9bry6uF4/fVvePy9UdmLs5LY2/WfPxiRbB367uvqy+XdwsF3eP3xa/L+4eQTIgw6C5AUwPGErQHM6NiIy0UIHC8l3yERdrSGCuxxsiQxUBhbuDPtBXoLB8v2jExRoGMNehiaGhjgHOFZNjFIXAjYER48dRUNFPm0pX7KhC2QfZ1AdTuIXqYhMtpHzph1ebPzGShaa//vzvf/w/g++4YUOiAAA=" \ No newline at end of file +window.navigationData = "data:application/octet-stream;base64,H4sIAAAAAAAAE62d23LjuLWG38X7dmYn3XNIpu/cttyj+CCX5e6+SKW6YBKWsE2BCgh5rKTy7rtAUiQOC2stsnOn0vrx/SRI4gzy7/8+s/LNnn04+6i0MMezH872wm7PPpzt6vJQyeZ/t3ZX/c8QfFG6PPvw87vffv7pzz//54cx9Xp19yA3i7d9juALMMr6uHuqK4QyCDDK43EvEUYfzhEu6jKXug/lUl5+fJDPmaSnWDatLNROVO/e/zUH8AU5SikbaZSo1L9ypxAqskdTF4ed1DZ3LGM4Tzg8VbmDGIK51Ettf3qfSXyK5dLe1HqTSdqHcilvxdu1zD0FQzCbWmkk9SmYS716+j9Z2GWZSe+FcwTqynOu+6PaycaKXe5B9uM5xufPy8tM8j6EPbtJyj+5f9vkY8ofzopKNM3ZhzPblD+q5kf5ZqXRwkmKrapKI/XZh79ni7c29QndBUOHd+//mveIjnhhTG1y7FN8Pn71/NxIS5l4qvlWcRmeuHSC7zA4aKt2kjoZXzbfLK5LEptOMN/gi6gOEuG38e/AS9OoWlOZ5cvmmYUVXmDgQvOgUV0YUNvYTCxQTYbsQTDTIKq3QngbnAeOqrSA28bmYcPaLqC60DxoXBEG2C44ExzVkSG4Dc4Dp9VngD6F58GBWjGgD/F5+LDCDMguNLMEaWu1xZuVupRetihtpXkWRVj7nXSh1/tffp3hdSM3ojhyHTv1TN+hSmKcZ6L9b3mS55tJMd+/q7h45xxq53m6WoB281XzfNp64Ua9yLzJIJnpMNQO9Pmk2rmeQ8t7tbeq1g3mGWtneib9t8SpV8zlu4qQkYeBbp5XWznSVoFsnpOrMGkjXzXPp6tBaadQN9OrrVQZXoFunteplqXdYuX3+eFFhq+a57NmP7+xcp7f0J6gMzKRfk8Nvpb/PEhdeHlpj/uw2j5JIps///aXd7+8Z1dg4QCdb9IH5+MvRFUcKmFld9nX0FXzDPPy+Yew+JvrkCOmvmC+jSuHviq7rQ929SqNUaWE7SDhfNuVvpQ7oUvQ6hScjx9uaPycUtl8S9fITp80z8wX/Ddv/FdhlHiq4pv/x3ehyU8TbrssvI3O4kK3z0WbLOeVTTHLv05uuMjuJJiZb0VaBIxWzwddtM9pZwVoQ89fkbFJapw+8vI03+uxtkaKHcepU87yo8/o+85nSO1urY+H52dpznW51KV8ox3TNDOPwS5193dHQ+8WUD3B9x+e8/lTY40o7MXBNNB4YBhPxgx8UrlTGgC4v9F0m42RG+HOL3sQsQTjfRS22ALjHu5vNN2helntpWltPooGGqyLJRTvq1FWPsjmUFmY5gkw1oXQhayq1vexfpFAPicSlLcVepM8vgPKi6KUSkltF7owx7bRAZAiBU1by6ZBUH0Y5dRVJYvM8QwxnLBz5f6VUJUsF69Bf3ckxRoGcW2FsRTSF3GYh6KQsiSpgQznat3l0cVWFi+yXOosGlZOoq8Olos/SSfwVwdLXEZEPs2HuriYnulU1Q3HYJQxuUYK1pF7Oh75vq6ri0oKw6DH2ikOrHyJpBP4zPyJtXyH21orWxulNyyTSM73eZCiPLIsRiWPziPzqJdPKePyCUuxeNtXQmnXeM+1IRIJxrtSusyBxhhF6JoKtWlgyBDGOJ+MKq/WHw/FiwRy1o9yKe4a5Gp+WMclt40ZDtoTYuzf68ael6WRDZCDXhBj3KjGjrV+k7uooIzitu19iTIDCcVbS2GKLYMKCDH2ba039fn9MjPlH4Rpztc1yunDNOdfB5NbsREJSFbbtn+QizdZHGx+bUNeSzuc2uooOhCRTL+ZjWETHU1u28o5XBtkMoZT6u4y9DCzCaZ6TXCZx+fcJ2ga2rHe7YVVT6pS9ojaJEKabWQptVWiAorFWMGgHfe2fdaub9cPbhi+ya0Kw/U8p659dCmscNNClE+qnuLS9ztlOZbsTMdcSp47aTKBtdSvolLludm006okGtLznMbLeSftH7V5cWPh9YG2RBPS3l058bYVh8Y1nDE3QMrkL/XnBi9XIhnJvfw43ht3YiebvSiAIaO8luFAcyfQZFHv9qYbP8FyIhXSbKNeJVo5eAqShnGYhLe9MrJc0ycLKEn6p4t7DHkK05y2RXyxPegXlBfJmFy6XZHoSPKEwmhWOXQtzZM0dYOBAw1JvFVNo/TGqxAxdkbNdbmUezeXpwu0YoPFpEdftmJkX8LlMQr5OaX6XW37Xj9epCc6krxaXl5gxCFOk04j+Yw8ALWkw70weK0zCkgWvsY9kZC8tTSv0vTjYQg00THJNHMKbS0ZDThISvOtqOS9UTu3eBSDxzqafGysREtgT0HSHoWqxsErjAooaXq9r6t6c6TvB0BJ043QjSCvXywjuZ+1fNu3ZUd36R9ks681/sihaUjHrmtb60Ia9FQSHUZemVIaWQaziykXUmFUN37XH0EK84IU497IZ2nC9Vs+ZoyjpIPuZ6JyA1uxAqP1hZLYi7bjrCTQE041DCI2k5BIaN6lbAqjMpOjiWQSrxsVwo81I6d9fpfC2Ccp8MmzvHaCAz5thoineBBzpKic9lntpc5P3aQampidBQ/CKKdt1uP3XyzBeFGxD58qIOIw0aMERBOZ+JNCJOB44dcfUqHUsRYEYGMQZRz3/fEvdspaCRS3iQTjfdY1q46CdRjZryhTnh/lUjLV8qQaGRuG5o07h+umsAXeoDJaDvrLr8CCKXTZeCziAIflVRxwLEYNmqMuLlWzrxsR7IL0uaEGxR3sFmYc7JZKeCuLrdCq2d2bei9N2HaIWICWwNfjWic0EyEliv66HvXX8ojCYS2Bv75d35v6VZXSXNT6WW0O8UMeWuT0qE07pcc+j5was2j3pnH3VZDbKqDlfEOxFpUPPhvWMvHIMUciDOjPGrrR59u6RHdvIXq2TTdbw3YJ5NNM2rnviU5BGq7dpazkhHMK5WyTXj/OEoR7d3NmYLLpprtd5jHPy6eaBLuzCYdkszaNH54zsClJ+EGJ2Qdg6r2bnnwSzYSbBEg0yXCS0QyDaU9XkoJrtdSNNJbtE8r5Ju1ExJSCKU3CNXPTcetwwi7jMSi5aKxeAHRc7IN8VlqOJch6K0x5LY/szKIA/APRYse/RqGcb7KvRDHFJdDzbRqXC2OmTDDMpORar2caZ9KxbfeVitdx55wGKRf+eT/p8Q3lqAm67sjHk6uOUDD67ILSCfB4e0meDe0zgdBdI+ZW6ONtXcoKQUdKLnqlJY98EnLBZF74Mho6dj6ChUinfg99WXmAKQfS/5piHSaZYjbFZQb+Qf5hxN7dPd+RsRTkuw6IvJ/ItLR916xhPBKhcAKYPItISaNvpRWlsAJhniR8GH3VIyWN7utvRuZGShrdj8HTBx0KaXBXfXFK30jJRTNyIxRyweR95stoaFtnUUc6inBg3RC18ChIQONW2lLujSzcBp/g3RCVW49o/NWiuFdOjp9Cm8qtP8GoLo5i6n6PKHqEkYgCdiex1M91FjdKeDDq8Pj51s0pD518HAxqcfxpbxMOjlQ8pNuIxcN6SgaawWTBDnrojjc4E1CSaJLIAbXNLuZtBWtpfL8Rh2aHQhTcTq0wev6pDsP2TRMQ1cfQ5E/YsQxRHLG2Ar9bQgkKY3RUJnRRGJ0TfrekV2Ln6StoFFK7cns1nc7lrsz2pCMNimsXdWeL/TGMQ+o97/kElRh6oUtGKy1RoUjX86cGmWMRCmys2rkGxTi+ThR9aArUqtsBO1RyiAWkZKAZTAbsSlW2XTATb571aJEGx+lypeW5LulHMqPl4U9dCBY/FPMM+lY5ix9oSTyFpDFu1wN3YjejRfHe7mEUneq42HG/M9cgSTHbyr1G6EG+qiZXpLBTcw/B24LNPd00CW3WbltByG2cxlypzKqRMYxBfpflBn1ufAEGWpb32equjxHJw0XHOVCoQpHtxBtRIcUiEuhOxOzI/lJGi+PdUJNrjiHtmVhEA9FGG3/gbFDiZx2KWEDybFmjb9e3S34xmxNTBpNWAmEJcKMhTe7oRwEGit7cgGUILKXgp5l6Eh0L2WDk3gB0KLYuRDXp+qEpcKtNBrghkrkt77VuR0ZfpWlX5ndjeWgG0+kw29u6VM9YkeMLcNDwbgDscFMZDR13HdLkREviLz/e1BtXhWdXYKYyEurvOCQPGhCTBiSUB3JvSyJQngSDue2FF6KqnkTxci+M2MHAVEZB0SaBL0BBnFHOKcOb9y9XorC1gYeMhiiKMPUbWk/5Agz04Kb4MZAvQEHBrqUrU6NN4Kyab+FeEc638NR8Cz6ehXaLa3Ckp8BR9AzchLk3Rh+b37N2pT11mp5i8rzQQ11bzmAGoMMO23v7E9Xwh6U43DWPTnuW8jkD6HCsE57vVQbWR1FEvF0JPbyMGDNwU2duRbhseOORiB61STccoS5ZOcek/4oXSu41KG7cdoQeayLDoP06LeIWTlQ0Ep8QmDBrzpgv58+U06N37DE7crqdO9He6fAJgUiD4b70y2Z5z09WjVkk27guc8tQQOUkNJLBGS0Xj2ULoONi19JapTc09yTEwOdPtYk6C923C4ZAlLr7ZkFA8He2tUs+k68uQBqSWxTSvZzrSsmqTIlBlGSV5WO9lhaooXtcLCCJVfuedateJfQ9kihM0vQx3U2UMCERgxytD41KuYENyRj0aDntgINWz6bpjRHHRRUVSz3Di7E4p2sHgk5BkuRvCExIfpBB8nb/Ld6sSde+DdiMcprHTb3ZSHMjX4HrmxOSDv07AImxpt4FE1NO7Ss7wW/7nAIkQdk/VCO7RnZC8YMkqf+YynmlBPgJmSFIkU7DAzHk9D+ZHtjKlLAAzRQuXGanCpLJKGjmlDLxItxoCTBskZVPdVvX4HQk7BWIpzo9AmOCsM1jbkQw43F68x18oVMJSW23B2ZwXozBad9BmBbaY4TPcLut8hwXpVm6VFDJNgQYhH6xXi53wjif5xb/UcxRQ3LXVzeL69s1cs8lCpLZtu6uKrFJWEOEx+jfv3YbfFvaR3kCinipGqs0sByy40Vhkubt6swRUwmHmltfOELRhYUJc6G37mMx5WqnkhrDj5Ec7+0hbg1C20dMgJCIRW7AoQGP2uRHBVJit/zoizRPdaPsMQFG8am88FuRMBP4UmTChZsovLaJP4YI3SlxnORVwlqZ5H3/N5X60wVjJrkjIlLSRWppVOHmSd2vhByGSZq33AUuUVMFyVyvz++XF0LXWhXubRPteX0R1SG5YRAp5fK7Slt/7j8qXTw23L6PvEhQGdlUerh4BkYDi2gyXGXi7zz5xFOUxVrvZaGeVQHenqmCZj5LsyyhPosXoilWbqSBKUOIpDTnOinu2j+plH+rVZIX7j8q3bU8Nqvnc+i4vRCPsrJbOAeiMEXzPsaRqUdTBYcZfIoDIUM6in/rurfuPM912RYCCTlVkMxxYQJcwCUCFrEd07kRT2m3LgqzaG4Uon2D6WnFBwhNVAy2m+XPnvcYpEh30r2A/l7YbcLxQhMoq2foHk8EJLHW/mepc8MCGRlNt/jQayIgiYedq57Bcx9DFMVfbHHVfyozxkEakqvlytzWJjm2IUATqmOXE/AFjuMkz38NdQLzgzTJKUW1TD5NPEa4jM+6kk3jvgHh3qWfJ8Y6in9v6mdVKb0BBy7D6DRWpqAGRQyyezfcEbq+fozkHKrqvKpyY9VRmEPDUHxOs81zxhjF8V44DF7NOD6FB3S9ojCHFi7AgYChYhoTGrBIFTRzs3jbr9yGP6WTsZQwSrN29av83ADrPE64SEAT3WqZ6Pu0J9YQoin2YIAX15xAfpRkHbLbnXpcLOAQ23EmmgvIKPq62MqduJW7p7Qr68dIzmlBTbL+o2dFcR4Pbjj5MR5n/Hwl9FRAGh63H6hOK6AozKNB5fkYoRkWbiMNAQaBVWnldDS/XUV9BIvjIEiSapM8p+4/TrpsJz4IkqToo5M9AvjCJJhWFRYed/NjPA7dZ8vpePxuNQ52tL6CZB72+9q9Uf2uLiXyKoOej6rZXui0Gaxisx9v1vzTgMRTnHgnEgsph0exWcvkeer+JdP2S/rgkjqMcllQOejHKA52x065V7/Gib+SKZTdppVB9y8nbX2wcPI2wCH0VU5uqh+QcKjeMkuMDMhmrnF5FUa5kZZoncuP70LeTxGKWoASYGExagGsCxmRQxBFQNPMI2OM4pDPD+vVw7erm/NPaxDjxTFMfoLTY8Ui9Mjys14jMdagQNZkxshG5KjNzeLT+c23x4v7b+vVxfXi8dvq/nG5ugNzN6el8TdrPj7RIvjb1d2n1beLm+Xi7vHb4svi7hEkAzIMmhtm9YChBM1hapw1oiZKFJ4buBmhoQKF5UcORlysIYG5jnmIDFUEFO61+kBfgcLy3bcRF2sYwFy/K4aGOgY4VwaPUQIC9kR8jidAUXCjZST5cRRU9JPQ0hWPqlD2QTb1wRRu44DYRMtSn/sB5eZPjGSh6a8//+cf/w/ai18FMKUAAA==" \ No newline at end of file diff --git a/docs/Next/assets/search.js b/docs/Next/assets/search.js index 663157c96f8..041ca4c704e 100644 --- a/docs/Next/assets/search.js +++ b/docs/Next/assets/search.js @@ -1 +1 @@ -window.searchData = "data:application/octet-stream;base64,H4sIAAAAAAAAE8y9bXccN5Ln+1X2uPblWN12t3tn5h1FUW6OJVHDktx3Z84enWQVSGYzK7OcmSWRved+93uyHjOBiMA/Aij3fWWZBSB+eIoIAAHk//2ubb513/37f//f757Kevndv//5h3/785/++Od/+a4uVu67f//udVkX7ct3//Ldpq2++/fvVs1yU7nu1WO/qmbH3xZV0XWu++7fv/vu//0XtqT5zYdb93D1vGZKG/8Olzh/Wd01FV/i8Xe4xE8va8eXt/8VKu2yWTIl7X+BSnnz+tbd08UcfsLKcYtyVVQ//PivTGHj37ESm81dxdTw+BtU0nXd/+lHuqDDT1A575r6gS5m/wtUyvvi+RfHjPnjb1hJZc2XdPgNKunm7u9u0V8v6bJGv0KlfSpXruuLFTMVxz9D5X3+fP2GLmr/C1nKj3/8t//1w08/Hku5qF9eb6qnv7Vl727Wri36sqmPxfYva9f9gUyzFcVK+ekvp/l9yjrk646Fl3Xv2vti4bo/+GnEwn/444+nVrh7WRdd96ZZbFau7n8tqnI5rUJMykwoYST+X75bF62re6pCDFrTLl3rljjJKUOa4PumXbi5a7+6NhjCUQg6cxpQ5XocYJc4TWDriuVlUy9cqxgI00wngL5bfl9235f1oxvyLC1Ai6aqlONynCUvzKp4HrTN+zkOM86Su2VWw7zTtMshQ16Q1vXtyzYhrqJm00x5gZZ3H4Z/wCzH9Hkxik3/uLzDMY7p82LUza3r1k3dKVpkkicvTue6TjWdTxnygnwrq+r2OApxniBf7tlULD+27t61rl4osIJ8ebGaVdnfGtHIvHnx+nLlmk2v0czjLJm7sPim6Ldt4rwAri7uKve5v/9Xi1/H5M48+4Y0ak/Dy5W51Z7XVVFqGuqYIR3kx389rcOa+qE5pr1q26Y9Mu0F/YFII7r+P/3w48hxqLu+3Sx6RbmzaSbayaTAWS3XbaoeF39Mnyz52zFFh4ufZkpmcK2i5XeJLTJ//MuPP/x55AiMnaKo2Np3icxyy7pzbe+Wl82mVnS5ny0DyaroF49qEC9XDo5mWd6XehAvWwaSpaucvmu8XBk4NmvTGPGzZRyt10uFfphmslD85aef/nTa+vnypR9v7Grkvxr9+/sfXu1K+v5HDdYrprh496kabZrp92+0kfxXo3+fGu1PqkZjihNsQNMGKzPEGkyyYZ6HwjYtmqX7oLIUoxzZacYOn84TmlFZs/O5tr2u7xtV/+0zZGdpnnCMbdqzjB3duDkHRd+sm6p5ePnVtZOdhihQmPEMLVTXbjF4/z+72j80QJxwKnd+ymKj0UmH5Dk4PMPi2nbVPaim1y59FpY//vm0Knssuu3v74o7V+FAfrbsXMVyaeHys52n7/blK5yCaaYsI3u0tL6sSlf3V/WifVmTU89PIB/WTetblXergWSbl1M+pIAZk5V2PoJK6Jf5NAWyxheET4blonVF794UfTE+U47I9/KkEbTuW1us3xf1i46CypdGslsu4QTj9GmSH1z/i3sJpx8t95Q6h1SV0EwyX79cVD3pvUrCx7nSKIrl8henZPDzpI76VfPVqSGIbDnm/z7dsECvqp3notIFdP40MrdLAXKcUmeRevW8br0DMEj+JF+qNtLU/5RaLTXY0774eC2s4Q6/5tvHnpSI72AfMQ07qVOR8T1UQha4ovIrp11LxSRDq6gpRNL6Kd4S6Mop6PbENVOUjF8teSj6dVJ8LEorpKl4y9qIkq9cFU0hEtZDMRZgJTRlSVgDQf0ir36CzrGte6jRGSjev80lxbv/NaPiHZeoULwHTIvinYgEFG8oC1W8XuXUijciGVO8E4g0xRttCVjx+t2eqnhjZILinaIYFG90LIqKdyLepHgJ+VrFO4FIUbwRFkTxTlhSFC/SLxHF63eOUfESozNQvP/YtFIEx+n3jMp3WqZC/Z5gLQrYEwuoYEoeqoSDSqrVcFQ6pog9kDRVDLQIrIzDYZCqjuN0gkL2cQwqGRifolL2EExqmWTQKmYPJEU1R3kQ5ezxpKhnrI8iCjrsKKOKJkdsEGo3xPfcuqtnt9gMs0I6Z6aSZgy8Y4tXxN+RtbEEhfEwQGxYhAI9NpYaRH16rGHCDpF5vLSzZF3rwUfK4vBKPVlWMQsHzAKk4ZxZNxvE42YezHTqHCPTHj7zeCln0BpK5Ciap0w5kVb3cuRgWuxq4/l0bH74Zunysagf3LxvXbESTFKQLJ85oovGTVFYA4MZYiDiJkiSDpoftgG0pgdmgcwOg5VkchSthZobfvgkmhqclTczHJzexChGuWReGCCLaRGJlGaFwUowKTAdYE4YugRToutN2YzwXWozIeK4D8zH9mD2GBV1uWm7ppXsCJs+o0GRZSgsC185i4mJYAG2BuFBjU60kdTWR02HmaEIaJo9MrQobJjiwzDVQunpBVMVwzXYLMP8EY1XBNFkxSBGrTmLgKbYNTUvYuAivCmWzjYGIiYvPhCMtg+aUREjiJu/8xq+DCZPVCbB1Rest0ZYZAk56RKwcvOsi7Yvi+pWuJLME/mZ7UxWdyXFURHbBbihxqMk3FPTMMq31aRpZ7mzljQHk6fg+VjFW2xiH+vvsmm4uBttPJL2Xpt2rFnG2fmILG76mRz087jm53TKM7njWR3xfC54Xuc7s9t9Foc7s6t9Fic7s3t9Bsda7VIDp+ZilvM52Smn6HItMzhtplN1lMpotrKcspsYTYYs96m7sXWtpu0sp/C2OuDGLs+pvHF2acxfplN6mDTRIOY9tTdRG0xk3lN8+6jQGc2cp/rwfAvMaLNaF315V1Zl/yLZziBdRoNJl62wkmElLKaRwQDsoSQfNYJsI6gtH0yDmTsGLM3GKVoMNmz8MEq1ZjitYMI4PIPdUox30VgxSCYLJTJpzRIDlmKLYD7EADF8KVZH16cRU8N3rNG+iDMgMCq7U5Hnx2LT9W4pmRUiZUbDwpWuMC1UVSzGhUUBzIvMgBoYoTHUJkZBhBkZFi7NzKhaDjY00rBKNTUaYsHY8IgGc6OaA6LBYbFMJifCpTU6LFyK2VEwIoaHZUwxPdr+jRgfqZON5icyK2gDdF1/7sSzdi9VbsPjlaw1OiN8s8HxEVBjQ8pWGZqw8jYjEydRGBgfKoNxQVpKZ1iIYZPFqACkMYMSoFmNCTK244bEx7EbEZrHZEB8qGTjEWeDDYfPlmw0wH5EDAbRmSnGgh7tvqF44xbN6vCklWAqwnT5jAVTNm4uiEoYDAaHETcZonzQaPCNoDUbOA1kODiwJNOhaTHUeAjDKNF8KGh5A8Li6U2IZrxLRoRDspgRmUlpSDiwBFOC8wHGhONLMCfKPpUNitCxNpMiz4DAqLTlVyfdcRklyGhGvEIV9mPEazEcvmDAYpASUVMRVlRtI+LyMePgo6RZBaRVYHNADIdUOwDwCQYgADJofmSkiirfhzDpeppCq+R9lBTtHidC1LpPlKLPwZ6KKHKiu4wanB67vuoWlHZmdW1R1EaFKalKnQxIKYLqUFs7VPFpVJ6SgVduolqLSoFNrcrIJqhJWUHGJSlVIaQEdVIBdQcpOkOryioNUGbxURmored12brlPLqPQSTMqNKYwhUKjqiHZZpwIMCkEQlQhcs3hNZTVfBgyplDS/JcVa0GK3JhOCV6shpeQemzgHrPVjXyRdXNQVk83QiVVs1zaAmer4IQMQkcYYInrO3ZiPkQutfmGUfmgm9qfr78KNiXw6/5jMqkRNySHDEN5mMqMm4zCFmgofArp7UOMcmQSZhCJNmBeEugyj/o9kSNHyXj1byHotft8bEoKfSpeIsWp+QrVfcUIkFfx1gAJT1lSdDMUL/I6jjoHJsOpkZnoHjbcvl2fvm4qZ8kBeylyqiIqZIVCtnHtyhmEgFQ0LxsVFEzlVcrbJAEU9wkVJoCh1sKVuTcsElV6CipoNhpNIOCh8e2qOhJHJPCF3i0ip+ESjEAIBtiCEi2FIOg6ceIYeA602gghNFOG4rog61Bstymwv5ga1gDs7EwPNgqSVeZiwwPtsIsCoOR98FWRWvpTMYZHmzFWWNGI8eDrYpRHjcbWR5sFYlMhiPng60wHWw6cj7YqutNxHjke7BVHPe++biuvxZVubxoHzar4ZOavAWhUuYzImzpuB0hq2IwJTxK3JpEGECDIjWG1qZoiCCzwsMlWRZdy6HGRRxWifZFRcybGAFRb2V0c0AyNDyWxdbEuJTmhodLsDgaRsDo8IwJdkfdv7LpETvZZn1is8I3QL+49s61TSdYnkmSfCYnLBa3NVNqg5EhhMetCycVNCtkhbX2BGKADAmBk2RBwNZBTQc9PBJtBsbIGwsKSm8lwNErmQcCxGIXWBKlQSBwEiwBRAWYAIIqQffjvSYrfbrrbNqeHc++mn9fdl1ZP1y2bunq4e1iSeEzifOpfkkAbgS4OhnMgQgUNwxxEtBERBpGayyUXJDZEBGTDIi6FVFTEhtuiUZFy82bFxlUb2jUM0QyOSKcxfgAdEozJCImGCQlKWCaRNIEI2XpcdlcxbrdZriAOcOYsDdu7eqlqxfSA3p02uwGjCpfbb/8CjFqY3lMxj99L2EF+bORxRUa3U7x0P0oh9bAkyCwfUfbI2bemWFjtO4glca4k4A5bDvcgkrTzk3EPJYdHn+A+SRJE6ynwGYzniRguu0EOXHTSXKmW05NX0OGk+vwJLspzCPfbH5w/bemlaLYxinymcigVNwwTpANyj4UHVfxjExQsVOV1apzhABS4iFMkurGWgZV2OSwSFTTECHvpBBI+qUWNmYlAxFiWMwCx6E0BiFMgglAmADFHzIlqHu4v2QlT3aaTbVzo5hR6J/KlWs2UsQAkTC7eg8KV2v5ST3syj4EgXU+Q6BT/VRDGC0AwqMxBCFaDnuAtZrSLJDDKY91gHijRoIANNsKbOQDJiOESrAcHJXNgIRo6XYEIcTNSUiYblXgnoWMC9m9STaGmwuBqWn6y938E98VD5JlNDNk0QojE9TAYmJoCMDACNJR88I1gNq4oCyYaaGx0gwL3lqwWWGHT6pRgVkFk8LAGQwKPspFc0IDmYyJRKQ1JTRWiiFB6RAzQtOlGBFVb0ZMCNulRgMijXvffNxcv7kUzMbx53zmYlokbiZOpAbz4AmNmwVKGmgOggpqzUBUNqT+PYwktQ+0Bqruw+5PVPNxNl69+zB6tQ6MSkmdewAWNU4SKNW3h5GgtqM0gLr2aBLUNNY7snoOu8imlslxGqjj9X4OxLeOyKQZ1TRbvEJlk7WxqG8eBlDlEQpUrUsNolbxGiZM3fN4aapf13qwGRCHV6pJUDEL5kGANJgK3WwQzQYPZjIhMTKtOeHxUkyLhhIxMzxlislR93LE/IhdbTRFsfnhm6WPRSt+OOj0ez4D5JWJW50RrMHU+GLj9oWUBxqVsJJaSxKXDpkPHyTJZiAtghoKYhgkWgeAjjcJAY7eDiDjU1L+PoJF49MMSjXvgyTo9jgPoNB9ngQtDvaRrLqJjrLpa3rE+kr6dlP35UpS0+MU+RR1UCquqifIBmUdio6ra0YmqLCpympVNkIAKe0QJkltYy2DKm5yWCSqboiQV94Ekl59Y2NWUuAhhkWFcxxKJR7CJKhxhAlQ5CFTgiqH+0tW5mSn2dQ5N4p9hT537VfXXlZNJx7tBsnyqXa6aFy/hzUwKHkGIq7pJemgumcbQKvzYRZI8TNYSdpf0VqoCeCHT6IdwFl5Y8DB6S2CYpRLZoEBstgGkUhpIBisBCsB0wGmgqFLsBe63pSNBt+lNsshjnvafEQNx1lMht1YiNN523C3rls3tTyt/cYe5UkjGDQ/f7mPqPwxeZrcb8OAuGzqhWulz5kEAFS+5D64ru8bvPX3qdOkNk+gwG1CtSylM2JwQ5IckAyuRy6nI6+7kdXROIOLkeZc5HArkh2KLK5EHicip/uQx3HI6TLkcRbyuQmggzB31W6mRM3KNGVul4EoXes7eFUxq3cKBdXzLMNEdbSu6GRlRjEcc6nHAkYVM0N0F9nsEUakMEwUXAYLhbaczlQxgz2LzQKJY8aLRLRaMXRmxs0ZhWW3azyXycBRcMmWDmOETR7FmGz7FP2LGEGmk1OsIT8rArP40vVO+lDAKEFGI+gVqrB9I16LufEFE1YGlImbWV8mYF3jtRTMV9i4aqsVl48ZKx8lzUYhrQKbJmIIplokgE8wRAGQwf4gI1U0Oz6EydrQFFoj46Ok2JY4EWJSfKIUSwL2VMSAEN1ltBv02PXNxaeirIq7yl1u2q6RtluJhPnMB1c4bkaoehhUOwsSV/EyAajqhYbQqnwFD6T6WbQkE6BqNdQUSMMp0SRoeHnTwAPqTYRq5EumgoWymIwIldJ0sGgJJkRBCJgSljDBpGh7VjYtUvfaTExkLgSmZq8noiEhRMKMpoYpXGFqiHpYTA0HApgakQA1NXxDqE0NzoOZGg4tzdRoWg02NcJwSjU1Cl7B1LCABlOjGfmiqeGgTKZGptKaGg4txdTghIip4QhTTI2yZyOmRuheo6mR50Jgatqi7orYuZCfKqORoUpWWBgf32JeSATAtvCyUcPCVF5tVUASzKSQUGn2BG4p2JhwwybVkqCkghmh0Qw2BB7bogEhcUzWQ+DRmg4SKsVugGyI0SDZUiyGph8j5oLrTKOtEEa7byg+1+55vX1rZnfOcoi0E6yGmCWfCYmLwe2JXEuDcQHg4pYGpQLNDtRgWhtkYoQMEoCbZJ2MrYuaKmx4JtotWx14I4ZA6y2acXZJ5g0Atdg6mFRp+ADcBCtoogZMIkCdYB/to0I2ltjQsFlOeL75ZvRvWHx3kCyfuaSLxk1kWAM2GKHbVL0K4pjFKB82y4z8uCmGaw9cYWAg+IsM0WEJ08nXG9ghQlxyyMcEXn1g4OQLEPkoxWsRfI8GlyPyEXFXJhgY7+JE3jGlHk9nYoEcSwYryZlUtBbqQPIKO9FpxFl5R5GD0zuHCr0uOYT8FFQ7gSKR0vFjsBKcPZgOcPAYugSnTtebsiMn2UmL8yay/fSXI1iQ7nbq0ZR179r7YuG6PzBJRa8NNH6gFMUNQK5eJ7S//PTTn07t8OVL/7J26UCvjgWpuF6FNUMsUCrmq6G0739Ipz1Um3coxsosGZvQdOfADjzILO0t3qHN2OITFy5Hk4uXX3OBjzw9lFm4JhtXA+mTK3DxEgAoO4FycLZCqRYn7tt9+bBp3dXzuioXZX/rumbTLtz7oi4e3Goo8gB5v6m3flr3ByCXbDJG2wkXd13fFot+F1MUWM7pz7ghunx3M79CSpsdUtKt6eGx1r9cQsK2ydIkDf/p1sUi9GQpgePUaXJbVyw/tu7eta4GhQdZ0gn2AxsWf0qfJrtzHbkCo+Se0qbJXGxjHyCRx6RpEp/KqgIlHpOmSayaYvm6qIp6Acr1Mmilj1cUd5v7YWguL5tNHW7wUcL9HCnSh9H5el/em2axGbRmuHLgxjWVM4Wm61tXrLDhfUiaIu+x6D64Z6zVT2lTJNaouDpdVt++wLU7pU2ReN+0V8XiEZJ4SpsicatycOUkLEHANm0u2rZ4wdr0mDZFYrFc7hK8rYpwm4aS6+dIkb4q1pDMXboUSd/K/vFWb93JbDk4NDY+zJPW5s/DG+Pv52DLn1In2aGiXzzOy39gzT5OnWZ/vg1/xAzOPmmivqhhfVEbajfx//+76F7qxZuyWzed+z+Q2C/jLF/08sXdJlxwbHvJK8GrKNP4u1TX/bDB3rSa9jjkMTSIr0zflV0/7PGjqnSUHtsWxUhAL15xDIHKBRVr46vSdNmtWzVfnaoDgixZ2+L+HmuKbbr8LXFRVYeaoT43kS0nV6XCqc5E0RbflO0yzZCTxa1KzIPeJzxHb+BLQz9HTpp169au1unPMM8ZiG7qhU6p0Pmyjpqvru6H/Xds/E6S5+R4cP374lk3mcI8OYk6A1GYJ5FosvW7XJWELR7+Km70Tt3KZrUqKD/2WMzslIRxYLYc7CZRWS3JUJmRhHEig4xuG3wXEzJJZZYy74t+Q3S+L+eYziBpXdbEevkkYf+7oeSdGf7cUermVP4klUHK16Iql8VwilLtX2GSpJGpDVIHC/Km6Iu7oqOU10mgn9DUjutq7vqfXR8fD0RaTOJkrj88tO5hG93DnfT4KZIPe8gCifMeUZEF3AzDuly7qqRWuDTGKD3TmoJkZGFNi42srVGZ5OYULVHcn0Llued1VVDGgpZ5Sp4ot1gu533xADfvKH2i5Ie22cBtfEicKLMqSZeblnlInDySemrbmhtLvbRvjcpsNnAtd0kT5a3b5u9uAcs8JU/tz6Z5wgfRMXWi1NYtC7yyx9SJUrunEq7pPm2qxKaFa7lPmyhxU9NbtrTMY+pUTeSaD65ADfbslDx5HHVN9XUbY1KUh29/3qy3ISj46BLLCHyAddv02/sw/8PqFGC7wHraV9KP3/+w3zX+/ke83cUSxR/ZcPVdqt+zuq9OMs9e7TCs7Z/d2YfaH/7wp9+xGY4tLw8G6iztd2yQV2OM37tpYgGcOqc2S/vsZX7/0z9nwgBRc3TlvcA5q3bGY+loDDqcLhNNLMKOGxbsEXxGLvZMnoeijuQzEbHReIz3RQTkZSLhYvTY1bcfppeJg4vcozmI4L1MHHI8H7fwYEL6zEyKKD8aiQ/0y8IExv7xc0sO/8vCyEUEMlMsDArMQsHGCdIYVKhgFg46epAxEmchYGMKaQgqrDALBxtpSHNQwYZZOJj4Q0HxeiGIeXqFi0pkeoUITMzCEYlVZHcrJ5kyMyFxhTRYJLQwK53Ss5ECDrNwCTGI3KYoFYaYx3bykYmM3SSDEzPZTM3mFxGymOWYJxZXSNMIoYX/jH0mZcBhUEimmEMJjg47zKUq+ZgVVlHqw1Xg0whY9+RawsSjEjn551DEsdhEboLbwhPhdqEiFJlm0QQp6lpFjlOUWsYWqoifFCqhDAGLcEuJMYtMG5nCFuHTasUxqi54Uds/qkWvMYQRPwWNRDFyp6HGQEYllxzLKLLZwhnh0SRENDJjyhDUiJ8GRqIIuVNBYyAhvF1h4zIHOEoO4yju6XLY1aqqbcJPzZMLbX2QAo99lDwZuliTJxPWAfdkGAyFJ6OQTngyrHyFJwMTRDwZhsXoyeDtQngyXLMoPBllq4iejNgyJk8GpuM9GQZK78ngLSV5MlwbWTwZmIj0ZBgSlSej7h/ak4n0kc6TgZlingxDZfVktFyiJyOzmTwZfDTxngw3pvSeDEwT82QYJKsnA3PFPBmGy+rJSFwTT+axqB/cnD4VGv+Ix23fXs0/3nwgQreD4majpPQu1QSPkff+5haRtU9ml3P94foTIGefzC6HjnsPBclPHEGS/nrx4WdI1CGhXdbVhzeAoF2qBCm3tze3iJx9Oruk26v55/dXXz7d/HL14cuufZAKMtnsHOwNhVB29HICIq9hQjVDcQ0RkKmu3S4xULdDQrssPmwoFEdHDGklkrv7oTBxHx+RszvG54JsQ4F+epXkIMyo26wcs0gOJE9T6+QiAQahxNgzRIg0MoyAGDSpcrhgAWLIRJ4fwvqOCYMKxUUeKkPqRh/8M6KEZ4cQWUwQDDcRkuZe5GgxlAk+WMLIhg4QY0JjZ4eT/HmODTmk+EMlSIeLW2qBZNNuGkBBbaSFVlOxhwbJhOyZbucMkBvbNCM0v22/DGkDaqssbALNLhncAvIGGdMKtr0xgEnYFgtQDDtiSKuIm2Fhe5j2wQAOegsskK/b/VL0ALPxxfaCcs8LIIlud4U+tnWnC6eRN7k4Itv+FjJKhK2tcKwYdrUAhuiGVgBi3stCXCc1jXkHi3GuxptXVenqfs5cG5j8im9fDV+9qJeU2xuUNxulZZyTCSEjcbFNxC7PQrF+hgTZ3Wa9bloiTJ0QO0qrk4g5pbzA+DXIaeYjKNfgxaYrqsum7rajchEG+iIwr6hiNHixjxhUm6537RAFig2KcfKEIdGs9x/sQSX7GRJku/3T84jYUdoEiUt3X2yqfvS1WcVElDInMPWn8hCKafIUuezlTkpq9AomJzN+XZAQJ7yxD8rZv4AEW4uZnyFNel2su8emv6qLO+pOFyU/yJJEIF7iIsRDb7Kjfdx9LOsakztKq5Q5cd3qpaKrJ6kTpBbLr0N73WhVKJMvneRSZ0TIXCm98NumIL6cRfXAIWWCtLJetNvvlIwU8ofN6o5aSxDjTsqdRPVJp8/9DAmyu75oe6V4Ik8CwfBMX6lFoDKlzIW7Rt0KRJ4Egr55Pb/5AJnVQ8oEacNtJmV1wywJfkRszzsUj256Z15gKLe9JwVg+97izjOlfw3bK8iQwEaBZvMZk0rtPlNyNdvPiOTY/nPIYN2AhtqB2oEmmkGzBY23grwHzbWEbRMaoRJ2oQkv9DwM8j400SamjWjIRSJ3ogkHSbUVrekHZi+a7wvlZjTCEt2NDmnM29EKHnk/mmWybUhDo0XYkSbGjGFLGqGI7kmHKOZNacjN1fOYt6U5B2i8L82/MHz6Sb4QMl0+L+8mXzNlCpsdkzH+ywmLD/k4poEkBsntkoXwK08oEHwFyJPeP/IlIt8cRGUK7yZQYoHvMCGS7zphY9MTO01rlzn+gmxUqJfYLvWxpIyZJ22fyC5F2Cr1RAH7pKS86RZC59r+hory9KSNU6ZJe1/UxLkIKW6f1CrvblM9bb9vGx+Zo5RWaZv18Kw70pbjlFZpwzPrxQISN0maVjuo7yZJrfKWrnJYa45TpkmDajdJau+9GrGCx2TmerVN+MxxUKNdIquM+3LwS+OVOaVLkQSJSZDBhqF7YqJB6HFt2F0W6zV1dOHrwlNCq6xF64reXddL9xx3vSZpM0iklhS8TOEbFdh4x2o5TpksDajhNK1V4rBQRiVO09pt9tI9Xz2XHRXKERjtcdokicN3a9pVgSx1ZkQGq2zX9eWq6E8vJTJbGB4Bm808e4b8/FOP4WrJS24e0WXXlzXxHH8wnE8Jk/oZGMdl8hjeW56Levlma7xRUzXOkC77dueGKYSfcqRL/7x1yhTCjxmssov9mxdxoeOUVmnfyA+DBItB8YsgyJgt+7Koyn+4z3XTLoc3VV9vqqebuJMl5UynuTGy+PmS9BWmphKt39wV7eJRYwP9HGkezag00KuZ5sgmHfaqctV/8GA0tQ/Tp609NbKpHArp4z3XN3eBtDd3eNTv/H/PP129//Lh4v3V/OPF5dWXy5t3764uP10Tp/b7cmdyHroeb+4iBNcf3lz9PwrpRHqj5I+3N2+v32lqTuYwSv88v7pViA6TG+Ve3rx/f/HhjUI0mcMo/T/mCsF+YkDmTz/8OFL+dde3m0VPfKbvIGmaBhDgH1TsP2BIHh4chHiJ9FK4xf9BQGzRL5XduUVTL4v25eaJLX+aRi9DOno4yECOHGIyhKOGsRjgiEGSJB0tHMQgRwqSDPEo4SAEOkKQpPBHUAcR8aMnqXz+0OBQfvywYFp+6HoIZ4/HSR4mVMtivs970iPyx3n5kvnlyKHs+DJEKJ38OPGx5P2v+taIt3lKa3d9QewuHLXR/ldtqYPTfRoEfPlhOq2k3f44MDKJhFpZgzsLSAqSWeQcPtcrShklso8rvncWST0jbThP1YXsnkt9z37b+dTr0Q87C3PD9R/b5r6syvrhnfvqKsFqhym10taYqCCZVk50c/UgCd5U5WXRWzJHoypuxQj9vtk/oXoZMRVEQsSZHi399l8pGy7J7F9t9WUFKfCFIf0aF12g8ivUITe33c18Uo6hiH0nGZar+lYnA2P+VidKDMV+G+CSP80ZyvzdPs15xupGP82ZsdrGT3P+DrWPf5ozfzPYP835ezYI8GnO8zWN8dOc52yfw6c5//LPmTDxu7ZM5RWf5hTtCbrCZjDoBXcmmsgeCTssTJ+wUnJxmx0ClPbjVQoi7tOcDI3205wKEuZNOgZE+WlOBQfzaU6GQ/lpTgWHeKuboTF9mhP2GuVPczJItk9zKjxZ5NOcwtyyf5oTZmReJeSmmO7TnDAF93Img6H9NCfMQb6pyRmJsxBwr20yENpPc8Ic3Kc5GQ7tpzlhDvqFTknxKj7NifcK82lOrleUn+aEOeRPczI0tk9zwkyrIgwqYUh2STPLBz4NyuAkfBpUTaf0rKyfBlX0GvdpULbvtJ8GxW03+2lQzm6rPw2qsNnkp0FZI636NKhG6xFB87zWq/O0hOY9BQbG+HnSc+216d5aCAvJ886wCKf/PKnGXLD3iHljob5DDPPga7lcy7jouxCs/HMYg8j7EKySMb0RgbcL8U4E1yyKtyKUrSK+FyG2jOnNCJiOfzeCW+eej0V8P4JrI8sbEvghEfWOBHdCpHlLQt0/qoW/7U0JmCn2rgRDZX1bQsslvi8hs5nemMBHE//OBDem9G9NwDSx9yYYJOubE/iWjY3L+vaE6DCODsTflvWSOQk//ZR6BO6VpDz7HiGqHG9fauhx66RQS2Zfhr9WVtaD1IZBPcQ7F3Ep3NGWLycWGxCXdF9WPaGsfEHHZFY55DsOvhTxHQeg94EWk0ICkfEVBlaF44sPrIpLaF2/aetfXLgl5ssZp7RK6x6bb7du0bTL63Bp7gv0EltlFsvlf25c+/K+WZb3JTD2iAz22bsatvuB+XtIlzBSLr4VZc/sBRGDZpo8QS4uMlnaum3+7oiLq76sUzrzSG3auJh9IvPIrKrm25uye/pM7IwHo3Ka2D4i95/1BMbkKaVVWlVSywpf0iGVua+eyrgZ3iey60lFMFuoOo1RbP9D7QRBe2wavuRAtpGw3y2C7RwVjIau5aioMWbtnPWNB6tlrLg9Su13aQIgPO0MjWGMSztLixwC0n76nadBPBLNr64iBI1W/2jsmS9YH3SGyI9Em4WdbToORUm4U1AKQ3v0iTBwEWWB1VeGkiGymRgyYm9BEzyGSGaixnzJynAxRLIYJxb4c5YAsbgLJkeG+RC2kDDEEURiwah5YA8CA1xgOvormA66sC9gm4WJ9wp2WpSBXnHJZIRXoIrzyuRiunyx2mAuYNuMieIK9s2U4VvQRiqwOtUGbAFtzURqBW2tDNGCNox2CcjYLGK3aJI6FwUQDeWjJIRB4Tyo5bcGPgF2gI0yCmyAOrwI0f9kXFGo8FUBRaRcTRSPL98YvpNvT0EXsDPKnSdSh8bRh+hA6oI9gyWUhfrQNU4A+MHJLnA0/iaUmFX9RCJuwulnCrUB6k7E2ARVVwTXoDUXo2ro2pvCaZA9XRRDH0ADtIYUORO0gyVkBjgtRTa1VUEyeKtjix9bWAxy/iLHw4TnMLZAGJhEjIBhaEyhL8Co4GNegrGhD3aJy49FufgQ1vAWYDGqJLEGtNBO0yiS5ee2XL6dv94snlw4Z8Y/4tEs2wfz4mXNDulod2cCdpKEvrcWikNeXmOETs3b2tWf18MGzpzeUQhFE1nyyf9b2T8SoQJximPGNJY3zbda3RpBJjvDkn7KOJS7lJ8wRmSRD++HksSn923t+vqFfPEPad1jVjsP85mGUHrkQw1Qf1KfaiB6U/pYAyJHWpSE4izLEqinw4UJ0af40gSTSSxOKKmK5Qk2isQFCjWaTEsUqA2IRQrRBIplCt4C4kKFawXTUgVh4hcrIYp+uQK1irRgIdrDsmRBOMhFSyhftWzR9AC9cOF7Qbd0QUhii5eQxbp8UdCICxiWyLSEgUYJv4ghxop+GYMwxBYyIYh1KYPQxBYzIY11OcPQcAuaYXMdcEtPyfBFzvAst6bQ2T5D3F8ZQbMnmQUReSkJP+TIId1FXGBftgN94bjk7RfjVbIPOYzSuXG1/UIeMLBG6fCRdRdfi/vlzo554hUdszMEi8dN/SRP44DgmCcLwX1ZRdRrAHDIkk1+dMVDIsDLH4CCe4VdhIg9za5kWFJ3hESApXRfSCmdiGETZZeYqkHnwHAu+vql1w7FIG8WorvN/adm3jetsj8m+bKQVK5+6MNAC5HimCcLgbxoDoTz8flKuetGORR2GbLIHl4hV3b9IYtVPnSqHSeInWxzJezw2eYY0lxFnBER6NW4DANaJOi42fRdX9TLsn64db9tHPXlQJyVLi0/tWvbpiUiGHHSfQleqFMuvq1Ll8R3KiE/nfgZDRER+raGUmU8bJO/LSvlrJ3ks5IoXfcAAvfdmZYYOe/vpl9Y2J+I+ThkqtRb3HyhygvddB30J2MCEHJEFsOY2stdLgXCMUcG6cxFakF65E61SjrnvQviY757TD5wvV/qffGmf1R29PaJIFpxEUXJwd9JEXD011OUVJGbKgKa8dKKgY+zYhE4bTCrkoy71SJQaS+4KImYuy7yRNNce1HyMDdgBB7lZRglj3gvRqAyXZFRaUj5toyAZrs4o2LD7tBE5qL9Oo2KlblZI01J3SUbFQ1330bA0V69UfGQt3Ak43M2Eu5ujgCjvaaj4uFu7EgOmvLyjtZjIu7xxBS54kqPrreY2z1Sbykv+qh45Ds/ApXt+o+KjXpkSiDSvM2s4gBuJAlYCZeTTJQGD896ZUnZm9yDOWKfat9s1vkK7I0qyU9QX65S+gjkPSvRKVBduVKtdyO3rwQq40WsGB20ew1jxTax6YLy3NSKQuovbWlVPxuAIyt+dQSOiku3Dsy5BIyGU4oc51LskQBLUTGYIi117USEXErNpIi9NLSSGIQZbSlTNKaKkg/LlNbM52USAzWlNrNEbKrIyNBNgUgVw2nqN/Wmgi2qU8UWC++U9uWNcZ4WPjHgM85oivzUjTY+BFQac/pYUBVVLChUQLNGh+q2iex81njRqAPrnRFuv8HtpPPBSYocZ4NhgYZzwSm37UyQAEHPAznx6FkgIRo4B4SkSqdwhFjkBI6TC56+Ue0cPXljZUKnboRI5YkbKF8+bSMwbCdtIA1wykYgJZywKbikvRcGyrLnAhJJp2oEjeVEDSQRTtPoiaM9SQM5hFM0gsNwggZyRE/PCBrzyRmk2eKnZgSS/cQMYsJPy5i5lXZSBjEKp2TUFNOfkEEU0ukYgWE5GYM42FMxykichUA6DSMgLCdhEId0CkZwWE7AUI+FOf3iFK/y5AvrFeHUi+oVw4kXxBE/7SJo7CddEBN3ykWQaE+4IPng6RaBk3iypaJTelYpJ1pgr0mnWWTfWU6yMNstnmJRdtt0ggXabPb0ijTS6pMraH0InFoRNAknVhwVfFoVxUFOqqaF5DulYuFsJ1SoqhZ3C2lFbdohhHjwdVSuJRR0GkXKP4ciBk6hyAluPoHC2oU5faKaRXnypGiV6KkT2zLmEyeITj5totaY52OJnjJRbWQ9YYKI2NMlgkR9sqTqH9Wi236iBDEhp0nUzm7CSZKGK3qKxLOZT5Cw0SSfHlFjynZyBNEgp0YEUsqJEbZdYuNKOSliHcbRKdH7pn5oLquSOsoY/SaeDHlfG6tr6nttfmGzfULhM1JjNv0ZECUwevpDi/T2MLkzmEBi7PQFkta59qtrL9ZlXN44aYLEVVOXfdNeNqtVUS+BeoYZEqRLpwmBZO4cQS1VvOgaiIUut8K1FfYfyAozuw5q2XddU3PfswsETxMnSOW/5xXIjH96i5E43d+vnrY3aoE6jpKa5WkVYJIsco8zlLRPZpazvIsL2aYxS9i+6DRnju1CRTdNbZY6bJbBQqeJ7TKHLShA2j6ZRo5mJygQKOwBxSVDuz0RkbF9nnF2bIdH2kkJYCx7KEB3IyNLsW8CSUQMiWqvBJAa2SUhDJlpfwSpP7EzElZfsScC117cDWFawLQPAhDxOyABiH7vA2kRadcjbAvLfgdAQe50BNJVexyKtqd3N9j21+1rAByxHY2AxLqXgbOIuxgcj2n/Ahkd/M5FOEb0exYAQWy3IsCw7lMgLpiWxbo3wTgvo12Jm3Y5RK+83lRPN+vhoIVy0KhE+D5FsVx+ao75uqEWuIQZnZv2W8jKME5b2e1TK1jGebAO0BA1hwTENxl4pmmuLFST3ivrzhEPMAmNdMiQn4X8iAJPEnxMIRdHW3xTYOxS56HwQvzo5xR5FOItxXw00iYHj8TtduTjEjeceDB25yljiw0rT8IkCq11zJF/VLtnt9gQmzc8zSlHHm04sku3m3q/yclcqfATpN6oIMtTXqgIoBmCxS4RyHBKTVs9VOrg0DSt46YoLTzIpGaANiwQ4ftdC+EYIyjFoxe6gzqVUUG9OpVigos8D7kqni++FWXPBITpUIPCzkHMR4zpYOlAsiRO3xm/VA2ASQb1dCAWAqo+9bIky3+t7CYvS5p8+q4TowbFq06oxFisJy1bCvW0UMgxwjQDHyJsIeBjS2npdGipRbJWLxzTC88CS7Kj99xosYprbrh0/pYbDaG/5IazRM5DaSDjFTcdlW5uWi644Tzc/TZOOequt+EczO02VlVqLrfhFMzdNppCebUNpxBvttEspottsEYT77UxWs10rQ0lwm618fPJfqkN9jzoO23MtNJdaUMZuBttNIT2QhtKQd5nY8zBOeRzt9loBO1lNpSCu8tGU2ivsin8USLKQ1CyiotscH8w99iY/lBeY8P9w/DGGOcZ4hfGtF662j9JuC6G61by9hGnTFWXj9CtnEjECc1ivHp0nq0dXUBKUEaee0cSmv7akWLxx57Lsks/9aEsSgP7tpnc2mj8DCf9LFNZjKThprQpnAZuEyKmhmkSRWCNrkXE6BqpVUwhNigbH2fD+PxnIxEjbpj2sYTdoDxk7A3NoQrA0faMZgFkC8VBiWLxODSTNShHSSVG5ohkpvAceBTxMTrMWNIH6qAssWgd/gjBEiaj267XUlmDdyRncHRS+rlukBgeOlneKB5BhiqOh6mSOpJH4tHH8uiopGgeicsSzxMlQyJ6xMbSxfToeMioHolGFdejY6EieyQUTWxPnASK7pFwlPE9WiIpwkfCssT4aNnEKB8JzhTno245JtJHbDVlrI9upHPRPhKRNt4nSvSn0wXT7aHyp/EGwteiLYu7ynV/OP72/Q8Rg/Vv/+uHn6Qyh12GUXliaSO4i03fXNWL9mU7iN81Dw+ufee+uoqAZdMq4eMyd5Vh06GV+3k+v/h4fVnUTV0uiqr8x7aXfi2qDdUXQmplBRG5uyoKKRU9+PjeLR6LuuxWdK+dftf3FFH2sXdOv6Gwl81q3bpuHPZ2Ij39qMQkSt0xnn6AAT/fzm9uv7x9d/HznEIc/QwXufVxP+3voTZLauwFabQtwMrYN4T/Owq/jbO/Gr5e/K64I7WCl0IJzpW/w/Z+RaGvntdVUda/uvau6cr+haD2kyixWQk7bv9nFHx+uHz/q2snh/MncD+JEpyVsAP3f0bBb12/aevDoSqBPU2ghGZK3yFPf0SBP7bNfVmV9QNn7KYJlMBM6Tvg6Y94Cx+DQThkP4m6lRkJh3ae/qwBPx1aMfovTGSAZ6Sc8KcJdJOSceBOP5omIuHCnX5AAT8166ZqHl4YxPHPSkiy5B3m+Cc5Qn0c+y7FQJ1+w/du7ttmxYZ9ewXOpomZ87gRIbvmeX/xHze315/+d1zkKGWCvItfL67fXbx+R8T2+wLHSRMkvrv+cHVxe/1fmFAvdYLc+YeLj/O/3nyKyxyl1MhDX/4J5CEv/9AiJ5tn1USzstIOyVRNOY21+I/5zYe4oGM6VY28KS0FM0x+xq+yfLy9fn9xS88wr7zZPq0URTuFlGV++Xh79fbq9vbqjUb6JFcKxfzq8ubDG7Tux9TJtT+WpKw/nS+FZFAmV3NaB/jS92mTa79uy1XRErFJhMxT2gwSdwmpPX5B9DhTCkPnFk29ROs9Tp1Fqq7uZLYUjtoVrSMOeyjhp7RKiYG7Mu/bsiauRhBCJ8lT5UpuEiUY8ZTikvu2qLuqILZjKbnj1ClSy+7XoqIuRBAy92mly3ecTI0z4YtF/Yn4MF6NFzuSyH3CFFl98YCNoH3CFFmPbvmAVeyQMqkVi+d5X1Sudl0332oarKJ0viSSsv5b2Tp/g0aE8LNoJ8/UC1+r/LnZJPnvPG0TJR5tys2TzgZt06dIdr9tigobYsekSYqYXxAEcze+JqBH8WhZ8Dfp0HL8oyJOY72uQkclKGt2SEfTT8AM5jKUhxhLRipqQEKhiPlghE6UTRgUEMr6liTh782mrYtwzRvKOaVMqA//NChRsfjjoBqZColpLYq0ZZKE+yFOHBn6+3Q6SSM1sQ8De1uUlVtefaWuqodJ8F2EYrkcjv/QMmen9HSNCFxG8v5hVjpKihPvZUpl2D3lfGkhIbOm8rTut43regXGOEeq9OWGiR/khI8ypI+GbcoholQxGMZ5Ugnui7LatLj0U/oco7BcOOXgO+QwSPec2ceim6sRvEyWNgi13Hx4cTii5sZpcD23Hys3d6Fp4MqdTfKIFZxwW+d2CABPbkT+suiLu6Jz0hQLEbxcyRTAPGc7IjODWn4O2RF7G8oGDS5W77idoyqPmziEAre5IYve6KJEovKjQSDVx8g3aOAQQqOCuXYgdPBmsXBuGdPCk1TZ/E2iWHgGTLlT5gABoZoFEIliHhA8hpkAUcWtFAGD2ymIIeaHUgioK4qOkriVIgcJbqfA3qA2dMSekHZ21ONTVkjMsMT0Ecdg0YwEiEo3su0x0Y6HqXb56BZPbnldcwqSTqjxVUWdIBSPqimmKtyRRklOA4ljn+UkX7oqoOXhbYiERJmRVCppfNxsenCAHFKea4RMyjcOkWNtIjqb2FWM8ExyZqLBRuyUI23IxojgMTuFSh60FBc/am82vbzRKKTGR2/rio607rHSZ8ec0DjxapM8ciki/ejFqJARTPGkjGKMDBzJFFziaOb5xBEd2VSSkuNjGuyvcBGX2GFpew5xvPQug1aex0zb1wujXXVKld9memWr7eWoBmb95zPgei8uXfLrWQDEr1cwxGaLL946SeIkwNzwYRKmBM1Dz4TWFYjWGiXLPxf8wtWTYVwJ41gIGKyDAWABRkOAkzAcGCJyPHxsmuqyGmIso2PCT4qPi7LuXdtu1v11/blzpxKlFiGlzaSSYqMmqKpt5NBgxtGDMsVHEI1lH0USmTCSEDvrpczmDVHlpnVMBj1PQqV2C67vt+kxne8nxfuF+6Z2pOzoJ7aFaiSMkFyaH2UCx0hGCyCRsaPk/e474GX9gAwUL3XWOUyVHXYSX3W/Jkn9QsLEz45AHrY3hljPF6QjTgmz9oFXbMocGVUlqSd8pLT5QVOR/QH1haUfQH/Zr7jSW463P7RX5VOotqjiDJExmWk85hiL+cZhdAzurqRLXlWQQqEF9hfJibFHlzqb5KC7PCRWtjMjOqZxRblBi75x3aIt17v9pKJ+kFuXSZ2xpSUJeKtztTL1gIiE9YaSZ926r2Wz6UbZLGx0MRk5a/ctETEoIScdFVyAMEnRBTBJMNP+6oq2v3OFeADEJ81kSyMCMIsqVEgbcRLjiYad6Fm4OOQYSiweWU9SDN8JJK4ex0hO+VJI+BEqHugIac8zRo0Rk1Kd0vqDOMTRdQhwYuPnkGMGxdRn6hVrDJ9cs0T9YYpcMxHRkWMAjhxBZmJBxy0V+6kcuUgk1y7PzdrV7BZKmCSjDxkUizuOE2iTtxgKx1xETvKoXQ/vXUmrICJNlpblykWaluKWa4iuSiLps9Y8dWUSq1vCWgBC1KwGjKyR9QCECa4IFITE+BJ1E5Uo60gy6ScSfRTV+9PpW1Gv5zcf5q4th8d8gy+Sb88N74vF8FIzkU4RZDZ6zR0pNHjOfVw7EpkR7OrhUcHP/f2/bp9fmPoFEAlTggntzz/825//9McTXfBE6KpZbiq3lzz6lWxhv7Sl6w6i6QKnCaAyIyVGy5sMtU31tL1jfXyAfPtULtkddFLN2fnSPWtLnh1yMZ3L8LMO8uidG5RgIb15owRwbbvqHtQIx2y5IK7r+8ZCsc+XBaNZqwmadYrwkSE5pr513aYKbYj3u2aQDx8D4T53SxU787NE6rcnZuSvtt9F0Ij3cqRJb5blfakT72VJkr90ldM1vpcjSfpmre57P0sW+dfEu1Oi9GvhwSleNvSBy5jc/ccthccX/RLG0JFJCDfENMPv1xAjubGvfPr5x8js5bAmfJKK5Gj4p6j4avvfJPt87JgLcPSHmVIZbotvt65bNzXxpWIOYZonieCx6LaptqYHHHtBntQ2OJWmUERkvnwkihHhZcrHAPZHkCcLwf4No6l3DXF4OZNo+oZ5OpQkGKVOklp2xNN4tD7shEfxBGmjFc2brUF/X9QvwwP9FeVieklw5+6+rHpHLo6oImfH5HR9fFJ2zVJV7BqZlDvOkST6sRypj5jUfWKtwLDvbmoX6bpDinw9NykR67gjpr3fplLRbosJlnttKhPoNELcuM+ut36I1GfTFHifLf2dGLnM2ZLcmxnVx0Ol63Pr1lWxEAehlyTHKKSKjA1Dn1Q46CoWjmtJUvI0T5J4cRqQwuPzABTNTQRSqjgTQIG7pQks8phcK3Q8Xj+vl0XE3nlJcoxXqsjYePVJ2UZcjt/6jgk9Jk8SWrRt8fJ2y09utZOivUxJAOI0IaXHpwkompsmpFRxmsA9zE0TpofFacILDaeJpNWnKfJNEpVO9zCNU8RXM8AMiYnEJshUsGJ+JFkRSjY6O6w2hJIJzA27BaF7FpgZlEjmlW16dRqkEOeG5T3qyWGL7lFqf5Pf2wBbUB82YEUL5zwKmd4ZT0Rq5GhHJ3dyrBMXLJ7miJKBZ+EZsZGX4RVSma0MVm5kM0OSHEwYYaZkniKWuRE7/YtK2qVRSICnnWq+RaRMD5Q5MfIBMiJHmtDKmZwyhbVzV5w+D64/fXM8Js5LbJUpKQqlhvDlQEcwtKBXu/98/0PsBGaUfZITCjbQMbwa8gqfE+JQDlWAIjCUSNvM+ZnAycVA7XLnpxrFJiiJhBAFnEVh6dQmTgyLGGIBwq364a9ZLNqpJMiY7XC4LmrLh7Iuqv9ybXNNDuyRNCqxQeZi0w7JouK8dAm12xbhiKOrsG6npAZ5d8OPn8iD65OkcSJLnQ42RK7OOJVBSjeOjCPK74LQOE3Jr196uTfGiUAZXlzS0dS+LphT7EkKRWxSd9MuHfWtRLrQ2TgDfyY35Y31PRFXy0ifZtHLn55B1pOFdazitbiwhqXel8Qr+ozMfdpEieOo3ohAMZ5Xkjf1WStXP/SE0aCFHlMny73rmpr7whYjfJolmeDbaMWIInh50lthG72Ht8AxeeI4c89usSE+ycnIPSVPlFssl5+aY8ruXUl8fJVhoLMa9NpIX78t6+UuHRVfMvkV19N3Y+FAoTM/A12nKSvTvt7WsiA0sq2skHZTKwTuEifIbI/HaojQSeoEqcvDWToidJw4WSYuMLUvSQtLdqRoXSFp4YGAIDB+GADJJM9ABLHQ+QckeXIKIUgUTyBYSaNjsmAT9E3RF9RxBJkQV3HcRQy+WOX2/JZbfQlDEK/dp48AcBcwZALdhr2HMO7n3V27ed+6YnXZVNX7ZhlcfBpRCcnxPj/685NlpkLKzC+Bbgepbgzal9EXgzVAX7yvB4uPJemxFtWm6137afyglAZvmv9smP1z/WGzuqMPwaOQ49xnQ6w6Yw/vM54NrFtXpfcZDA3eJPv5xmFTVbt3IT5/vn5jG4p+ETlhWc22fTkSVmyT1OfSa6EQi1qbVixBqxE4ZqUGQWl0GgGXrNIgSFyjEYiJCg0ChPQZwWZXZxCWQpsRcKnKDBt/Ol1GDcEMqoxDlTXZdodfp84mWc6q00JJZsU2rWeqdiPA0lQchKfWcwRmHmUH4So1HgGbQ+1BqLjuIygTFSAEqNWCBGYWVYiNU4M+pIZqLqUIQR8VC/VcjVlLce/W5KkAp9p3t2xQrT5NfSaFTggx6HKvYgwY/bRNjEZ6al+NcL+pqkOa1+6+ad2uDAuYUFYuXMDwUWRWm4dBKcwdBZdq6TBI2MhRiGn2DQNETBvFZrZqGBZu0Ci4RFuGIR4u//3iXiyM0+wZIcXARBtgLE5RKGpczbzaJeR79aVcCs96YJSRMD2d80IqnnS/he37H//4b//rh59+pK2+b++Hanq4iJFnvYp95ktdC5G5NMc6maRJ/cL2A11lTVutVnE/cpoabxtkYoVFB2Y7XvttJTKYaQKGM9NpULhZJpBos5wGBJlhgiUww2kYCrNLwDBmV40UmzWIxR0pdPX1f0P5rDmPVX5qF022W0BRGe5RtkxWO072SqtsPDoikD0yeG4MC3kpr2FBnFNyfC8h1qJkgwDt2Tbr4bj/rujwrQQiz7k2FDhRlm0Fqqr2zQWWDN1ikHFMOkRgUukQqhz+Xd7lXQawV9tSzGwRfx9RcyyjeQNEMeA0/hULmrwZogDGfS8WN3FjRAEL+WUsp32TRIGo8NlY0NQNExlXNCEa0/E7mIwcpiKPiTCbhgybuYH8JE2WWYPl11xZNVZuTZVLQ2XUTHk1UnZNlPX8kRhyGTbwaExJUaoiMYIMZ1SZWaIwwhqmaa+MERgwmlKPnSH6AkZVabTskRcwJqrbckZdwHA6LZc/4gIfl2p9d55oCxjYtFES0USpkRYSvHTqsu3fk8MXnrnsEoj6WVzRiyXOFGv3PSl7h63brNyn5skdvpqkInhF5kehIs9VlHUpnWoRNPscmeSvmlbXH6/2OTLJb/3359EekV+gV3O4WjkonHD/XC998kAWJl984VxNsJjG8EAIxzy5GIYv5ikR9lkSCBi/dff8Meq0TlOfyWMlhBjcVa9iQJSXhcvLnwsrvv9AwYA7EBgC4MVTDFYXHoNS+O8UXKrzjkHCnjuFmOa2Y4CIz06xmR12DAv31im4RFcdQ1QcP1OMqQFlLKTlQCkCqDlT8orKczSN8SkCynjKrAFlpOJJX5qxfc9b9q+772DCZ79hjrNZeFKQycoHlUwZcTSW3aahcCq7RkOm2zYUVmHfaNRUG4eCYnaOZkywdSiext7RkMk2T0Dl1MqHYuXm62IRHajHhIrormiwwbTQGRhXcGIWNLxS9D6LTTjXuMJ3nYlkeMNqljmTjyqr1zeRzzxbb9WwUOrrNBHAVfF88a0o+0GPvp+rsIKsyTC7HbmLe+ZTEizJNF8yRtcXba+nmGTLBHEKhUNsJYETFJAMtn09bz5+XxShGedKb5vH5tvV87qol27p7WZDLUNlTx+89Kfk+UHrvTyJWrFMH5ZnuaLflc8E2rmu07Kd8mTHaV3fvmxfj9INpmm+M2AVy4+tu3etq+M+iEfmZT0LnP/0J0pGPf+ZCWt5N/ggKqJjluwwfblyzaZX2tZxruxIi03bNTrbdsySHWZVPNt8D8LtyIT0rayq2+O0VnEFWbPDNauyv7UrBTJ7/hHWrNSu9ylPdpy6Cb6HjRBNsuU31M/rqiiVtvmY5wxdJnxcTOg06lHRTEjFpn+ML5EnPMcs2WG4b6CxKMEzpJlAKqfj2KXPjnH3si667rAsNfqaQiH5R1NVNd/elN3TZ6Ua8DLm1+gbXYfu0ufA4LZlbt19WbvTFeL5Y9Euf3Ev6JZKLP+ZttkhsYZN92hz2LfgMWTrhrwVXLE9j1UgdbPeWhF46x6rRtpGvrUSyLY+xm/e5Lei41v+WAUSDwDM80F1IApOifQjUmt1LMGsSt2aGtuqqBpvxIY/4iZrnPpsBioQYjJHk4pxqo98WT1G0/Mvq0MIlsAMmkMTj+GV0Df2AzcRBr3XG/AAARdpYPDpnBYtfjhHgYGRedhIhtyokMHuNCFQKhcphEt3iCAdgLs/xOBKdHYQQMy1CdkSHBkES+O2hHDJTgo0/pQuCTEEczggDCpvk7cfEsKN8iT52axyKMVklqd1yxCaQJKpQxRAMETTEziwqle3jiZeItpS6rgJEBgyTgSb3TpBWCrzROCl2ycIU2GgCMhUCwUhYiaKoEuwURCYxkgReMlWCoJUBJCTlKkR5DymbaUiI+rWLNOy8gSRg4SKKHKBE791deu6YQF/Ws/jFpDJeDZfQJJn8gq4mqd0sghpNy1KVJWREZHTzY0SXWF4RPBUE6TExoyRSJxglpSwGgMlIiebKu24Vq6t5KGdY5mlrIBtgxfTfOk7u/HKcGZkbjMiTLYzmRBJmsGAcHW2mw8R0Go8lJgK0yHiphoOJTZsNkToNKOhREZMhkhrNhhKUNxciLiJxkI7jlWmQh7K6YZCCW8xE5h2SzUS8YqwJgIfRceUintFbfEAWZxp2bNRPkDjn6rAddy9FmCbwyiaa+rPa81l22nqM9leQojB5HoVy7CRS3Gp93ExrM0uFT6jKTaqkFyA8X1migjcZtZ3nWaXOdaN6k1mDBfw6SgyqyuHQSk8OAou1XHDIGF/jUJMc9MwQMQ7o9jMThmGhftiFFyiC4YhKnaWKcbUjWUW0rKvHAHUbCt7ReXZVcb4FJvKPGXWp0lIxZPuZrN977+6SF/e3b2ANvlNdIfG/tft9qazcG1+kgD3stDbxmHxunvGU37LDWOCIH63GBIbvwpPyAYvwUMA4hUcQjZ9+UYtNn7FlJAtXC41AIjX/knp8Qv/kGj5qj872tMFx1YPhGhowcAJ91XT7enxU08xjX6B1dJnZNERJMLV0249snxbumpJqj267Jmfj26zkJ4dqKvmqwHDz5eI0bebejHU66JtixcNSJgzEWVZdsXqrnzYDIV+LPpHDQ2ZWQ80HogXm765qhftyzaRYCfJhPiAfHIvvxabqr+sSmYC8wJmQWa6znRdIkDDNfaOe64IYBrnz4G16j62zddy6VplN8y8rBlgusWjWxXvi7WSZJwvA4bbJTzoAz0PWUAGsN1tzGkWJRpTRDa4/9y49uWiLqqXrtQOKLqEDGiNRc3MTrlsCOhCM46wX3MJaze6jEZulqp5eKD9KgXSq2MpBrJwMXmGRtsTHv7/xyTUQ3XZNwP6tjBZtZmX9Z825sYcsY0NuphJTbi1XFM/NNuMy8+31+mIr4ICrcSRDY6RnNdbfTVfF9+0WjhSgWnB56/IVtLg3+WtxrjY36kSF+1DyrzjKrEv9kyV2GYdTlTd8l15l6kfyEJ/lwrcut82ZevITcukSowKPlNF1m3z/GJT317WDF5LX3U2lElGG4i/GzFNf0VZud3mBJ8Q3qu4+Nv8VMIvTuwPOim+TGzdA+dDC0XPjtmY1mVqwC8N1QRPwjfDleJdvVw3zOM5IsMooxVk0u//2LQO7nkusWqLgHuGTi59dsrJ1JutSWRz4ErqiiiTX0RGONdyT0ECWMfMdqBJiMt2V+aU4bJ1w9ZT0Re/uJfDjoQwdDT58dG0Kobjcu6wUytyNi6OOa7TNAPftRf7LaU82NMCzwr+vuhdWxb0vXwL+KjArODS2N3/SzFapznw8VlUD01b9o8ro5DZuACsfbzK8V15TR9wA1CHzJmB9mM4gepUQk60RVP3rh6SvC0WPfNEKABIlJMT87dhC48NBwT4xgXkBGuHGIG0yTbzykjEk5SDAtR8PiIeR0hSFAcSXL3MRzcQV+TwRgsVOSeRkZCTEiVQbKkqAkGLVSWQvFwVcYAFqxZGfNRZZCEfdtahSJP61n1ri/X7on6xe6yxMnA1sN5nzCZ1NioRa75og+RwuDF2vdOtgFcNiiHGo4J0H5MVHwJ3m+pp+xh2HpmzsDxjU+7z0y24T0PR7n/CW4AJsByXE8Rqj2tyYGGK/8ovnicivkbWyRExkbXcRBSyTIuLk1Zgvrjo4ioibjGstYabRgX94PtEnpfYJHB/wwIRN0lqEtb1Rb+Jd9sxmUmIqDAncuJ6MBQ1npw/X35E9/GYpCoL9ne36OklpFT6bJyTriVXD/Y8fcFGh4oko4xZQJ7cy21ZP6g5TvlyYXCr6BiGuHbWYwj7lzGS2O6lEkbabBdRopvtcZDxFP3l/TU8R7m0qtUmPUHFoiO7O2wVDE0vc0TbXouydJV7KHr6jFRmGWc1w0xuLET2RMa/K7bD6Q9nBIXNVqUQHT9G4y8FgIK2Ce2CunXRdmVPWs9Q2ii1XWTflit+oy8UOklvF7tu3aLk9GUodZxcJ/THfz3KfD9EXFwOY3Z7HPTL+/lw2u+6/qptR9Xfl/8HObk4TH/64XSsvWjqrm83kxZWiJhN89OVj9SMW5U1yxcT0j5jIsuPf/nxhz+PrgSPzbiGppbsuK1lFs3SxrLPiF0ns7H1zbqpmofA39BghmWck3jR1PXutt3Prt5fELNOBaqgs7IXm844FPY5M9N5s8a17ap7MAEes+Ym/OOfTzr3sei2v78r7lxlwvRLOCdtsVwm0volnL3396I66xAY5c89j0jTOznQjhneMHFms8sIUBpdok7YtQ8DWVhCEp3OCHNQoAnG2yligPluM5lfnAs3vhxiuunVtKLK8AqTIYfZVXBHjC4LajS5mhkSNbjsxLWaW5nOYmw5xFRTi5OihpYjTTWzyh4HjKzQ7QkmVp4zgoG9OpiJ0wNqmLHlMp7F8IrCTEaYrXcmgywTW40zQG0x1DKsymhr2xUy4LHuTzDmWl6tYZfRcxl5fasbDH50EuYz/ur6QI5ApAJJToF+ZoIOQkSRpDkLCLXdcZDR8zgR2hroHAq5BnmcC9PIgR2N6PBJdjqQuUo6IDE/4xzuhNlrSDOzemuaYjTTbWMmE5jV0uU0aPntVpJ5ymCFUo1NDpuSxXRktBBZDEFGfZ9FrWfT3piSvq6/FlW5vGgftk+JxXQ2lTyzCmdFKDU6WTOrguehQH0fodGof6mBTNZAw4YbBx4z3VboWlNlOsThl8OSqNgjhkWANdoZ3ayJmh0e0GyFYoQWo8RjptooDS1qsnjaVAum7n3AoIlDIMG+xeYRae5Op5QfXP+taZ8+7a7gxOyemC+zAYzLUlpCudJWkwhggrYR5dMYSagRTdbSRIubTQA83X4aW1xlSLFhnMOi2moTMa0IvtHGGudj1NgCyGarCzNbzC8AnmqHTfyoQQb4Uy2zfcwAJhobOAm2GqafPs30y/v54Y7jZVPflw+blr30IiRXPFyxWLiu+4W7QRCTMZvmp+2eVC8uHNwtWtdfHAo3oYVlZMTrBjs0fT9cxzYpIAUseExsH5smj6P9e2JSWnEQ+VL9+6behV1PbiS1SvLPlx/B2gopZYnezR7NJJXS47M0drlGHmzQBRtkpE3aYS6+2DD+XaGNvmGFzXYJudqM0ITLhOTN2lDUIald2NOqJN+4DmXtU9pFFcOEBptwn9Qu7GEBVmuXUCVoPNbeDT2gmXRiBtW9Olvp4vuBcm1wDTtvFk8ueNuK1q+TtEl6/VP4Dgkt8pRQJ2/+9t3VL+/nvJwggVi++GSzWOIs9tmpkBTQaojIV5J2I7LKr66OZykkXZqtaukT3QeJF3WgWv5U0UMAssJXE0xVMtb/ompGCLyPgjy+d4vHoi671cd2+CBoX9LPWDBJcZU5v7r99fry6stfb+aftAJmXmbGKWZqEwH6cPH+ygy0z5wV6Pbq4t17M9Ehdxaky4sPNx+uLy/eXf/XrvFtrcUWkwXy4m/zL/Or+fz65sOXTze/XH1Q81ElZEG7uX5z+eXy4t271xeXv6ix/Nz5kP76+f3Fh0SwoIwseFcffr2+vfnw/uqDXktM8+YZW+/e3fzt6s120JJvmsnjysudBWk7QL/cXs1vPt9e6udikN0MFR4queXwuGXB768dE0Q8v9G+48q1D+ze9LS82SGteMhygjQfTHliFSdQlPDp80eda6XDJk/0KHma3OHDF9+adgnKHSVPk9s1m3aB1vaYOE3m6jCu4WF1Sp9JMuFsgQyTnGqaydRyv23guTo7Jk6T2bquqb66iXoBCZisaTzbc/PxY2Mywyi5Xu7I8/aTCe/AMElxzztQKWDheuUSe9/E1zEoiFrbxJ6UmSodFEOpfmJvEd2pAbZZsggPVSDKoFeGKIq8AMWgDNpRfqXpevnxur5vKKL9T/hELLtuQz/5Oi5qdkxG8x+IuLP87W4bfWY3ETNKaBLU7g4x54tmTffYRJqfGhXp9cXctV9de+u6dVN35AwOEmlPPNmjO7rk2TQXWy+PnDvOeV6Xreuu67lbNDX9LV2Gg8iaCNO6+9Z1j9oG8bLpIYKvxV+/ubwsququWDy93dQL4gCPSpK6+8uWGdv/JXnpIT1O+rFoixXZ42GqPNafKTdu+AlsLthrF9xwOXz44Jk8peQggpypKMJ7wBxD7GlgXHi5XHN2hBN+ypIqPDaROQJoJosY/liXNPf492xKOygU0tcT1ARVHUqHtTSCgPSrQTczov900sjvrn6+ePfl0+XHL/Oby1+uPn25+fjp+ubDaYfsa9GWxV01nIkyScUeDkW9m8OigqSqY8Z537pi5ZmC3R91x5XHeM6rr67ug3M+7+fko0qqvOhBpc/ILJIXzWpV1Mt5X7Tjt1Pjkl8FOTEQ4tiK4tksFs4tbUSjvDmZ3hZlZQI6ZsxDU22Gp8SH0MJbt3DlVyUTmT0TWdNpBu+rQ4Ys0tdlXeua4pgji/xNrScY5TEzjL+BcUwtffnET6RY5dIfFSMLnAlfdwg5uTCGMAI/LviBDrI3ATw2XX+xXLauU7TlbJorEaHbrqUu1qUCYJwnUfyqqcu+aS93qkzTCmHORJQFcQoVx5jmSkXYJfwkfguJ4QizJsL0qnboc9S/bt64qqC/D0SLPeVInQfbcDZLy4c5U0dBUS9cVW11DOuhc8OAyJs6RV1fLIu+0MzNU5bkGbFaD4quYT7ixk2GcS7sngWMVDUP5aKo5vtw+32/l/WmZ77JSjNGiskOXSxfF9UwOjRW1suWGWr7Ubu/Nh39CSuaaJznHDgfm1aNs89zDpzPwiachPSZ2ojL2ErCgZzYUtR5nBVr7Jt+jHxccfw77pGKAzQokhmb4+pMMC3DkBEajECTUGmwMYLJcWarsTCkuFrHTncZ4dMP+zWd/IHZ0+/4wLlvmGPioLjZISljKMd4yJ7Rx6apIvtGpyTwFaVpZmj5N0qIt9uqeB7yzct/RDSeX/psmjPmdYxrwaGUtRVlkjMHSvF8SE9/I0xul0nePDjXy8oNLkvMUaZwJnkz4Hwryv4/N27jQOc9YCILyACG+1wBEut3mWHg1W3Awq1wMbMNoMG7IAEatxOSDQ1efoStlrQEgUaXdRlCjLasSxEAHtx1CkjpnadsWND+QwBF7UFkHIGaLSFiGArbQtkgVbt4oU0QdvLyjTjN/k447oQ9nnytCG20hM1HbbZkgwLX6AFVyjodxYqv1Wks43odxcLW7DRawrodbjVo7c60nH39DuBFd5wDKH/XOZ/a1e3BhnpX3IdNwQy/Sv9e0huTFPhCbNmWX+mIU6LE2TE1t4idYILhCZDM/Ynl9z+Awl/tUTkHgJu2cYBXQ14tR+SerxB4hhDFgtAsSA2zSxLSNMKB0DkGRHM4vv7+T2iNG14V2QS/kqNmfOmRttaMxjHEdiQqGiF227xdPJa9W/TMOyAxHC9/Hijl1Bjz7LPiczUKs66K/r5pyTsRFM0ovXKCTDtmva5K/gv2lORplt9xdo4Ev4oFl02zj5EzTJQQ5JW4gc3TRAaFq7+iTLukv2NvuPrrYT78iNZ8gMzQ/mPRO02lIYi0+T70+0vnFiaeaf5MUCu3atqXLyvy2lYUaZw7E1DrHhQqY0JzzJoJZSCwcOzy2SF4L1o8CyISan1qLpifL3w2yYjUOVw12JQFQ6FT4IdCRrVIUiMylEaZh2S5nI4Io84xV2Pi7kiEU+mnqEGL9fqDvs9PuWxzYfz+xC4+/43rFm257qm3mIMU4oRH34OgS4UehAiRudb1zlQisotISCksd6JbIkJFPQJLXJX138rWce+CM7KDXKkUxbOFws+VTvG6a+qbu7+7RT85vY6DBBnTWd67rise3FDe65eeeLWCpyGyZuihYcPtddEvHpVtE2RMZKGOFqPagT5TTJSvF58uHTq9jPDAx5ZGQuL0PkoEHNvDBF++1M3S/b37smoWT192R59fvqAsbO5Eqn9U5d3lfiSUTf3OfSVedWeYmLyJRLu6nfbNr+H+InMm0jy6qmpQgENivUzvbZztVavgjmxEepgtkWNdtJ2b+436BuXhsxu4Rgu8IJ2wxuPS4su8SMyIKMCm4jNHisiEebRuYuhUDNGihpEoy0PnTFYth/jK8Y+KyMrD92DFqEovET4aW1csL5t64VrmCJMqeTbNxYWf+eQCwsfW3bvW1UxULE8xyZgI0svRHyRDD8QEou1QfNNUfpsaPTMGEVw9XHj/3N//66+798jYu48kE5M9M+S3Iat+zHrZ0qGm03RT92+axfYradKja2RCfLp2T/S7/nyxs30WbnBS3JzWLVclE1DDSj/kySC+qKrm25uye/pMP/MhUHhZ0b5XwN0FS0aM7I5cMebDehmeuDukjk1qnpIv5gzQi007XnZiiMdMZwBaFc9SNDvLNM53HqyLITjdyjbNfI6ObPYhTtq+HOU7A9Yj81kbgejR/5ZNNpjKqVWqOxNKs9Gi7HKcAcU9r6ui1I6bU64zILHuGYujc9E0rQO7aXxTpblqCtj9d8e0Xssx1zm60vXty3bDVumjzaY5z4IWXwwJdOyCKCug6HyLdHr/W4EWXxiwbMbFgQJuecceZfJYx0xnAIqsdlkmesWbrxPLqro9zjJtN/qZz2ElV2V/mzJLyQLO4n2thmRq3+uQ6wxIdSO90yhQTTKeAazY9I/0u9nSqvKQKQ/Q9Bn3ZXn/cuu6TUV24Ph3fPfga1FtmNfJveJmh6T0un2Cxzm2Rbf79OzuxBgTG2ayAzRPmMxtOpWY0SuS728+/Hzz5fLd9dWHT1+ufr368Il6QJJIJe8A+x9Yvev6tlj0l9tFLnl/n0oiygDefmTLjL3/SPIyh0LUu30xwZG3+8js8gfLJjmE/TsyoWL/jneG+ZJJZ5ivb7KHKZCAW+5qIMFri9DEjiFUKOIungBC7+KZMcT9JgGD3m9KwYjsL8ks3P6SGUjwaAQSyqMxI/RFWQ06XckwypYBohga9g1zpU+gGOfLgFE3u2T7Q14lTJg7R/dIixqpf6LHeCaMZqkeKJOcObQrvW0laVXFtpUKBd22EtiStq1isMF5/jbd26p48NyT0w/4Of42yy6oQDoeDJNFHMWRJ9W3Rd2xgd1MybNxLuaUjmBn3KiHh9Y9bHsl7kkxafM4U1Lh6s1Ftlp2F0vkM+7jWTAlxyvKqN0w0wLK7piIpz9X1cLJTpoIpz8XNMDFXLcYoeV0UIspOXQin3aXSgsmunkiGenp5USTnT+Rjfb/csIhLqGIKHmFWTtYdBTlHlZvgFvhOPcRwvM9yKyWg3EqZYuh8SuVQLBrKRKmeZfaeRwJZ4pMZUtEk9r+KqKHIuY4NYBIbVnYGKKIYdGFEekNnhAREzN52qAYLRwXFyNzqUJjtEhMdIxMpAmQ0QKZjNo5DZkQKRNRdspgGf3qQgyyiK0u9HEWWsBYuIBMaIoY0CLyQQMynDJuQN1y0TP6SNvZjunVcxU6qY9MXfthvd53lg7HY26z+nxc7a+wR+QRT0V3So5gjS7ovyu7fu6GJ6Su66V7dt3l1PAfrpQx6fDNpst3N/MrVbGzQxas4lxNuEccyrWryjq8zCcijXLlovIPc7VIhyxn4VkVax3NLsNZWHxLDfForbSSqVgOn1B8UHbZKNdZqB7aZqPst0OWs/BML75APOG9l6yjul88asf1LstZeMZOMUSjcYiVLOu2mYQbYWrxmOk846dpnrQD+pjnLEStWxbaRjrmOQvR5GYbxBNcbMtJM346GqPRPBqtpNnU34Y/qniOec6joV3zwRU6N2t2ynSmMd011Vd3tbOY+w1k/wASHOliSQH9um2G90vd8n+kVUcMyUsmfyX9+P0P8QcfOclmoZH979+/6q/6SDBK9iYIwxL//zEIDi0RfzP5XE1y7Av4BOef1ziv4vFD526m2GuzlsVHlrbaS/7+p3/mpPrxLz/+8OdTa5RKY1pmNaRTluE/3bpYKCf5ONuZyJgwFnDomPbMTIz+Hi4MqN2+VdP5EUqYJ6mMTlJTbYPnlTPgmOdMTE9lVWmZjnnOxCQ+8RZZvBm+i6t0d+8298PsWm6vFenw/KxncseL5eu9oOOtJ/0cpYo4z5JvG9+onKqHPGcheiy6D+5Z2benTGdhqtVA9Rlp+vZF30KnTGdhum/aq0K7PXfKdK5teeLZv7jC976BkbPnmou2HX1KD+u5Y6ZzbYbvEkxCvtEd8UnWs/B9K/tH5jwTgiTzn5XU5JmFmc+0ie7H74Ib6drYXa1dZx8flm26OuBZbc/1m5DHPGc5Av3vonupF2/Kbt107v/oyL6M837JSJi+fTNFi31MgSvKaxymU3eprnvXFn3TmtrwkDlnI/pqecjhaqfcb55mPM/Jl1K35V3WTUm05qA5owFo3ar56mzdFuQ9T3vd3yuba5vhjK11UVWHSqvXSUT+M52EmwCrc3O1xTdr201znifyQx0+4M4YPXDoDMPGgZ/1TCf4bu1qo84PM5+T8aZeGJUcXcB5Rt/w/sUQD6qcGZN8ZzpF7t8Xz8aJG2Y+z7ZQCmOYOR/j9K5ykMM/+N7dXOaSqV6jud3sQzP3n2SnRTGp4BvTb+6Ey8PHH/EAziEOdd5sWjoKeFrgbJKYdrxPfIzA+6Zd7D9XsHvNaPThCV4yncuIEL+I7EkH33eJCl4/vS2Gr1S9ADLHaRPqKUTyE5WMPRsDiBSvNwQi6fsMKpHinUVPYPxAOl5D+pKfXzPFrb6oSPQan8eQdG8vChW7J+LBmC6GUBDBI2D1y/ZpNP+trP2fYcW6TU190m5UJz8NrmZXu69ywYXOThnocRrgcmOnbVfdAy73mD5N7P90LXnNkBb6ZZc6uaZN+664cxWpetjqjjIlA3CfKWWFi58nFQRPX0WsH5oPrv/WtE+7VwJ5D4FLi4/kO3fftO6vRb3sHosn5t1EQcgsLICuPVst7hJpsaHvCMk4h2xmiIkS2cXdMB7geEBQCfFO+Orau6Yre9KR4MuejfMxY46sgeWxDwEj/iJbDINo9Hhrq5tZuEVKFEneSiEqFbdp+4S/HnrrXTmaaDv7RiWBbd3Pbbl8O3+9WTy57TW+6ANMYgbF00Tj+HFV8WEg+bhh5fpwMMxHYxAY6eMxNpi+sDfNPm9GHFeTizIAxtX8wsyEIrr3AFDc5Uex4Bn0t+1R7deSe4YLzozPrDabuNmoKEN7TeqeUw2EoKq7JenQFnVBQGuu56RDm9QKQR2omLNiW9RPCO2rorMi29VUCK5/SsmCH6qztyX9tNfpV1whfSmFLjwWNftSxszFFop9B6V+6B8ROceUVlGLx039xD2650sbJ7YKvC8rVzPPXPjyRmmt4lauL5bM82m+uFFaq7jNeggGflPQ72T4AiepzT3Y1L2r+0/jyBOpDyfJrUKLqiw6ei/UF3hKqhDmrxzGioB8ED9MIM5p4Dl8psTYY/gEKXPWVA5nMiqhrw5ZUNHyM/jj9OAiSb+tss3GvWvDFT2bZIvXNraFctBbr1+YDXwWJMiaDBM/pWFhwPMaBQxs3hPWHokb7iyFaetdBuNmx/YsR7WbEObA54xuuDKSLCOXqCaDKHlBMlbUMdKixC28DARafS0WZJYjPQibai1c1HzLYJhJ10LBuojD0qklHEyjoTi2ZGUl4oZ663KY/Tzs9udMq55TWcCyZ8clrA06VNYosVmg0J0jSbEtI1GErJpGUgAd5AuaPMa/oVeMw9/xjt50ruVWZ8eSZqNUNO4WhgsWKbruW9OSnXwSMUoFiZjEErXlV8eeWZ5+xZuFaxKvrJnYKCMs/viL2+z0JZ2SWoWtq6LnPh/hSxulVYjzF3HbQ8fLqnQ1vYYLfocPfkY5Y4fEk1Sajeh1VS6KOf1CLVPybJJLOImdolvsI0cQt4kKADoCgRUtxB7gQruu0gjdJc9Q00vX9uV9uSh694t74bYQhbqTBZwF7KOgUVWAH2NKVwd6YWm1i4wtdfvOQnDMlQHhYni4/br+OgSqjdpbO4+EYjJD/rXp+noSPa4nHJeRAe+67txi02r7cZQtFWLR1LVb9J8sCpjIm6wSm2FBYKIJs6a3zWrduq5rWtWQmWZLhfhHVd5d7kssm/qd++pUVoPJn9xR7df3xfMwHVRtM82WAWIIMC8XjtuFFTimOVNRVsXzx6apuOMmjmOaLRmirE0Qk2wZWuJypxjKmoxiFdpikjEDyPWycny4mwAyyZgKMnys6D83buNMeo3MnYoUuWfAO/3xCwcmCLVaI/LmwJFPLyQY4PBCNXTnfVG52nXd3C2aeqnSsnT2vO3zqXhQMZG5U5EKZmeIg9inzyGWv4ElCY9cxdIhvHeLx6IuO3KfQ6IYZ8wK8rFt1oMPr/Ox+SJS4apmUVSfHlvXPTbVUqd3ibzJ/sr2NtzcVYONa2qbm8uXkYr36Iq2v3NF/7Z1v21cvXjRoTH5M3g1f00k44tIHv7rtdb3PGVJ18h9+zIEjyk18ShXFgT+9qDIELlGiEMsy9Yt+oPzSO8ycyRE3nStQzy3CGkc5rFFo9up8jJzCDRt437LuY/792bT1oXKkzxlSa5/5DCVbQHuANWGUTdvXFWQ94w4glOWVOHgXXEORHNpHIcSL3FzKPHb3AoT1tRlf3xAQOfLB1nzeCEX61LvduwyZXAZm6t60b6stco6yJlsOcTzVNZmjHMlD862eX4ZdsRUg3OUKQvAR+aChwjwUbrhpQT4LBzPixCfYyf22pYwHDn5GfNM0fe7qV/WD9wHlOXZGuRPdvbohxRYJ0/xogIOgT6twFElvbEgYgbH9rEDe/VRfWy1oV9nxJaE4gb/dPUX39SPb+eLetDfwY/rv9gBT+uWru7LQjj9nx7tTDLYBYNbjeZNxgy7v7Z93xwrI+OaKNcaMWF1mOx4WVyuDIeYtuPLHKsh4zoo1tfs14aJHg6/MKwVJ4VphwKjQdmIyLjTaHEXkx1Fi4uYxTm0uoVZHEKrK5jTCUx0/yIoUnjcRHI0MC4uKBJb5YtDoqoAoZF4qkAqEkkFiMUj8QICZQxeDCa6dTcFwPbsEtYTaSuJiGBVUM2EJBpOk4oW272L7tulAgBbIshmSCoGuEmEbg+l4sBxcp4vJUTIpSJptlpVm6ypYNoDO/VRXSqg6qBTd8SZigafWONn1cndCQV0TTuRDeXKAAMEdfkwTDhXBphovJ2PQkbaZZhxShAm5C8ZBDzogI84UoHiRz/AoU8qBHDDxttuIe/WpGNEwwWQQIEsGJGQAShYIBVEHY5DLLIigTjJiGA8/JRMiIRPBgLivv19WjLiOwMIEvvts3BR36k4lgsx/pIOugqTGTR+KUaipK/DZECMXozxqcgrMakgisDt6UamHLJtwBofLX2UTNrxR/mC6eSbiq0reveRvFI/LW42Skqv+k9sNPtc2gI//ogfiAnXiqelRW8Vn8g4hdO35YI04J6kY0KjoKVbt26xPZfcvl9MTk1PJpUHF+/fZp5v1uum7d3yQ7N0p8MP/zhzd7VZThwZhozceUM93OTJmySyyfn0bg5Xj0prlgpV0E+nkjY8ITjfbVJdFlV1VyyePDlEClEC8LAYV2TsZTEKlq/asFBoavKe/fgnVXPtslAfE9g/3uz/rir95+GrOeUi+MLS/mW06a+pnUAVF33azQMcqaYfT5ZieK5nuW2Jq1XZ98SnooIUuBmSvo5IF8t+F3Fcs5CZkU98AZERK1gRhTTiK4esPOG8H5YY+ZIhI1v4hqGt3sTXCrlqe98pTKi1+EVCsebstwhNNPxXBxkI+nuDtpaQvizItQH3TUETAfn1QEZy8N3ApPamvxAYafPw24AmhthXABkK6ft/KRzil/5kFvYbf7bRwH/NjxsT9Hf8TNJjX+xjEKRv9Zk4Yl/lYzik7/HhHN5nmRYLt+7d8m3pqqXvWE1/VDk/F8vlp2Y+eLG77ysHRfu/pzpAdIExFyjEZNZn/9MVi0eNyFdf9jlAwcTTtn6TVv0Q3dKXX90nov7TX3Wd1bbFy1XlVm6kMPfFjn7Sl3moHVXo4bfkjg8Ki3b6BE3T4ZyoWGdP8gUdPZXbVeUCruOrL4fkGSSvhy/UhKsgQfgoR46aj6PM4hWXgswicv3B+rrsv5Wde1tWfbBQm/ymmgKv5zcfhrl4MTwv6pc6/k1V6mVTL6luOv5dtwSuH7dhtjdjN22/+h39pCqTbEZD++2y7HqR2DLxf5bLHu1HjjMyO21eEnxv8n+639DyZl+2aekB7DNy4h7IzUla3AM/X3Bx5O48J49XTKhA+qtetDzhk16ouErRnFV6c1aa5qwyNGetkFdnEKfpvjpD/9WNogN3idMEuueSORVlpvwhfZrYnnmGmxYqekN4Tdfkp0K5eq755SIq8u9dU88Xj25FRtnTgid50sSvGjK2jpa7S5wmsHUPoy9oREUekqcJbfj7arTYU4ZEW+Ka60FW5xaaGeRn00KISwqd9FeRhYZfhFdloWFWQ/RLGtWrL6NyLHwxd/3BNcMRjkbFj7OkGrJCoY32qdNFztePjg5Q4AUf8yRqo+L5Tdn1BXN3kNFKk0xpAEVFhsvTgneJEy1O5Vbvi35BvvbFmJ1RljThHRNWScvtpGcUUZF3ZT8E2lxWqrHt5cqCwAQtigDSo+Aq8fWLpQVOubIg6FvgkCfRBSjobyoyHkAhfMaVFxkstKui752/obD/q2rJfl3fu/Z6SexPjn5Rlti7B9eSJR5/0ZU49JVf1vA3VSn/0ZR+gw1/UpXxi3vpbu4viLqNfjGUeNM/ki3m/aoqeatVhwIu6uWvRbVx/nZMmEBV/gfX9W75segf/YJHv1hLvLknWiP4XVd6Ux/u0Qzf9H7TLDbE9jmTSimpF09pgt91pW9WQxAI1T6nX1Ql3tTupn3ftH55x78rS6tedtUiO9H/WVf2diVTVKM7VPtSjz+YyvtcV67rbt1vm7J1S7Z0P5lK1v7JzBeiTcY/6crcVNVFVTGnNt6v6pKFYo1ldo9smaefVGXeuoer5/VNO+/b8b2nXanTH+Ht5tum6YEtZyKZYtuZcRu4QmdfJM+BIuZ33EhPjRe8y5AuWCs3k9jePZOeIS94n8MiGt2rkIXHtimo3Lt6sosjV7T0sgwiefXlWICSKLYnURX1w6Z4sDfSqy+jIjLDLYrOzV09HJl+TSH0y8mMuSyLRVv25SIHK1lYZuBv3J4Mz/hN3JLR6INFs5r4fZD4UyYLQBBjvt3ufu9Wd8Gp6/gnXdy660ln8/h3XWnb2xHkufD4J0OZ0WUJl8wg6/N6WfR0kECYQFW+ULK5zGGjNXA9d39Ul9NserKo7d9hR+ji4aF1D0XvhCfy/DS4C1QMV9TelN3T547+3CNV8szLxUST+OAMwt0wyrj72LT8cZZE4S/DNyYPK0z5mUSGhS8hDW2xaTvaXaNBjunTxK6KZ/7JAFryOEuy8IvhSqCBYJovsembqlIOg3GWNOGPJW0Yabn71GkiK3rflpZYCRu2qMBmoxC4S5wm0D2vq4I+dKOFnjKkCWYebqKFah5vgmsOPgLLNEPKE7AoYre7z4ZTnTLkBYm8t8B0muHNBRwo9vopx8S+gJoLS3ivkmfSfvscBYq9oEkTmT7HjiLxL2vSMMTrmjkwxNfqaBL6xbos3VRW1e1xuig6ys+XF6tZlf2tcaaRefPiCYtlzhcJF8o5QOrm1nXrptYsFSZ58uIMH8Na3ilWLYf0yRjBtY3hHH146fz1pnrajtHhHdHKW/sxqeCVoJd5+3oBVXsqHb4iXDBvp7KlzhbSm6kkNOf9u65jtiF56adMJoDgokC8H3N2orCop1PiHdm0S9fSj4cLRc9O2aD2zLi+lqjUq2wdJrMAkoikZZBO+FfX3jWdu3XdpqJjOiWOIHcOpIiDJ/FY3DwdnLg6l9DoNXo+MHHrRAKjN1BythjrQcjtpfMjtGNMXGzJY0y/5NLB8d67xKX04XVIvLsjISmdHh2S7BBKWAa3UIcm7ClIXNqdBR1UfP0jsRlXQXrNL6+DYsrfsBLSIWLLNdHHsS/adKji6lsi1K/Bld1Mb0uKfavYnNTBoFuUEl3SRqVyFkc2m8Q5bNlyUrYmv9UtNiCx4Z0EJax6ds4qQLhLqDjOXDzVzbfKLR+ghc+o+JmXFfKi9/VgYMq6c8PjdNMndTAaP28GnM3ajuPnzYCzGs5wbTRe1hwwzbK8L400Xt4MOEtXOWNPeVmzDWN8dRoOY+XaNDaMh9AOG46fN1tX2XD8vDacUM++2Zb7vqhfpttXAZWXENeztbg4ooqd1f7KKKyjz80Iv59G/GDij5kyAAAbECRDPEZAhcEFCggEYrSASvjwn25dSL43OwwO+TSOBo/Fjf+b2kHD/5Au7+iflIoP/iN00tifClcM/Zh4eORPCXQDPwaBjPupfHjYx0TDoz7sfvugJ6C4MR9zrMep8PGOuSNB2RpfZIIv1fN661HE5/Y0Xa65TZSKzG0Pmmtm/zYcJH6UKx0BGN9cE1jGNwsl9HtsiHsJ8Z4/LLnob4Pxhc8mGaE+AMb5rVtXxQIwYl7CXCOdKhYZ6j630Y6R4iFDBgK0u2TyfCMppjkzoABGlQRBrSqIIZtVkgCwq6Dw3QaDUvwxUwYAQPOxU8Ki+nisUBfsbjMA6zkvYS5dQBWL6AKf26gLSPGQLgABdtsCSoBjpgwAxfDw5u62irCHQGJ4WTPAAOqIJEHVEYghqyOSAFBH8IiQ1REzIgB1BAIA6oidlRZ1xGNx6ijumUzT5VVGar/Eg05SRQavBBOPKSLfCMJ6KCZeo4amEGotlMEnojh0OijNI6Lkwxoo1R+iRwKsfzJ4Q9w8tGsfhS8UWwSOU+GKBzuSCsrWnEdN8NMOowgOxUkUAnI49ZNWxCHFJFcqwrJcfoamwmTfaZTJABAOOiIUOMAAY4G108wrlpliYd1GyEzNDqpSCkH20uA1235mm64WVebsmJ6pkw/LmY2ic+/cV6afSMnjLOnC35ZtR49VVvghS5rwrm9d/dCTz4vQskc50kTXuyevbobAcea75zRBmDENpNh/zUMx7sZZ0oSviudfi7YcopBw8dNMaQDDpwC/FS39yWpa/DhL4hho2lVRlf/gfTZ6BHjZ1BBTjbb9Kvrx2waiYiOT4votFiAvlM9GyE+rTNfF5C5LMIDHrEORg+AllPgzAupW4cPe5TaRH5pRYsQC3eWxQke6J+AIoe0SCRHbngAhBLNLEEQ0ewJEJHxdAmHi1xNgpIB1iUQdsa7DAkLWJTprzLp2hkWjwWMK2RIKroMEw9Yl0JS4dR2sHLguMRoi15WdzYSuiz2siV3X4cDB6xJfWvS6ckbHwtfF+WyKX1e2qBDALjaiNoI9ijX1Ljd18BnyCdrpd9yP7J7KNVTabJ+SszUjOG5JXo6/VibKOiS1C4t4gb5AxPWLC2X3awN58j4tICrq//sSTddiAZCI5+9jGK7AQhCCox0iKG+VQt0RcbHD7jDcIAVAJOfaZ9DeFgXES261L157MxQQH3OofQTLLVAAQ3SlA72q9p/jAIjT7HOYPWVMWcW8TkpfmdzMOA7qCPtISd5vHCvi8vo0Fj8X6CrOuQ36R+XRxgXjbqxPkui7ArMp6rAGc8nmpQKtJLmmQcOo/VESYHocten64XmWYUvULWK7nGzqHMEYYtmxkAy2GgzGkyM/7Baj2GXLBbGpy982ptY45kxAmYyD1hXDCEcGAZ0UHwGLYr1mbtMKRc+O2ZgqMzXgHZvmul66Z+YsWiKZ5s2Cw33nTOQQP3emBFgV5CcvRfm7PFnE31fFg3q0zQ658nRB37TFg7uqH0r6+7xyX3i5syB93dk/5lU2CWecMydK2dT8cTgANMqfGetiwXoYGNexgCxg5aAfdmneuPuCvcwrsdFl5Gm30n27MbTWIVsWiHW5dpVlso0y5gF5elss+ob+1qtMMsqZBWVYBXSuLZl9B4llkjULzOLgRmytnd5i+9mzQLnnddm6i/vetXO3aGomPkECI4vIA1cv2hfiG3EwWZA/T0c+FvWDm/etK1YfW3dRLz82XX+9Kh4M4yxSmBUY/cqSmS32ASauYLG+4urX4OTG+V+dys5Xj8jHfWK701KVTBvVyuEt7lmL7a3fvlb71cK5RcS71r7hqG01fpNdbjPlfrsOK7b1Lo81wy68Dk/YkJfItHvz6tUst00fWciqdux1UJHNewnMso+vXO0JW/riOk+7u6/DAjb6JTrrnr92hkb32mMGwbLlroMEDwUk0JTzAb3Xzx8VxJx+5amBsrOZAwSxhzVnCVoHGzxWkL3slBMG5YyOHTaI89l07qBeT7FHEJFFlO40Ioo13pAeXJ/5djELbUoLyfGN6WEubdddFgmzcW7aMZfqxLmPri/sSOPc2ZAe2qLeVEVb9uR2SRRqmj8b1t1m8eT698XzfF3UwsZAlI8pKDPobbOpl2X9kE4alpSCOp6D+9ei+Fk3SYDPM+FDEmGJ0e9HTCktK0RCaPwWAySWCyAjJIoRZJAw5psThCzpUxOQqMh+ACHSsgsAoYgLbAJEv6wGBxi7mCaHl24JDXaKuHAmO0W/XIZQ+EUyQaFcGkMA/IKYAFAugyEAefFLQBiWvBCIsNAlKLTLWwghvqglSIxLWVh9yetCRoMZVoIQELZYpYyjfYkKgYkLU4JHvxzFOoxehFK9pFh6QqLRBSfBkrTMxGZWZHFJzSvLkhJrKX4hSTWOcvnIIYQOK/+Wh+210tg3AMJ3SqGn/5kXSqd2NPJQqvGJVOBx1F2SeV/07JOGXhK8QX9DS5v9FqnCiU97R4UUJ19TAUUCSw1PLLrYiIqWlxueVGDBQQn0v2/4puz6sl4EN5l2nzb0fhXHyGT4tc0a2vghE+JDETiv5yXAp/V0bYxrKx7HtMbSoMlDmwfTn7KqsOQlII9lWArqWotfEkptpVwa6saWvESUxpZhqahBE5aMPJV26agBEpaQPJB2KakBiiwpeSjL0lIDJi0xeSr1UlODBCw5eTLr0lOr5SOrPVnRW1Z8GkBwScpDpixNNaDyEpXnMyxVVR3MLFmFXtUsXTUo8BJW8nRSlrKqmRtb0grz1rS0VbWksMQVGk+71I0gBS5426zfFH1xV3TBac3eDQ9TwK74VdeXq6J3y8PHsmMPF4gZcNdc9Or+P9ruqEty2zob9X/RnMtOfwVgAxvInS07yzlf/NknUpILrSyv1kxp1HGre9LdI1vn/PmzCmBrii/fDYKsyp00JMHdxU0SwAOA6+cYWAKg/5ftq54PBLanmr4r1G51fSDQ7dX2nWGa9eShILfVl3de9G69eeiib68/7wrVrkcPRLmxPr0rQLtePRDgxvr1rgD79eyBIHfUt3cF2ql3D0S5tf69K8T1evhApDvr47sf7/0q7+ATfke1d1fAY/X0gaAvqK/vCrxbbx+Id3v9fV9C8Hr8SBZsqM/vCm20Xj8Q60X1+31PhpV6/shzYU99f98vbdf7R37cjfX/0RDPa+n/dH9aeMysk59tHq+Bm3iCpa3AyXls1qvsia/IvjjTtOPuE316fvqvozlVeHG62e77/zpjUbblX9dbk23gRBYALU7UxZ+BE00P36Fzfdl3/+nu7h+shbCX5/uy8+4T3v3t7v711GIeOuP53rtP+f3pow/fGOtALE55vvfuUz4fXz8/P/5vvhTK4pTne+8+5U/8Kbo42U/3F91xxnIWy9N0lrAYO43dR8FOttIjMXbK35zSbdt554fsPvnj09efn1+enr/dcPsvj9l9+m6HxuLE66w+8iB4eHj62+/uX/76b7w5uHwWzA/Y/864f/z4cPzt6TYfe3XM9r/s7/3z3fPr/d1D5yP0/M9eHLf/r//x6W//enz/9Gx8K2b5588P2H1iYxD1ssbTGUI9cJqnTw9PH+snG8eevfP9d5+2U49dnJLVWre+X3jbaflm2dBSGvkrB9tFyz/5klbQSFbbHTbLhN7YPTP2uu/1YrIX/uY+y6Ew1norSCS7+iUGg+m0QmkkW5ucA2HYvbaLCDb20Y5X5gdrE9v7XQZCWO8nXMSxs1dw5OE81KW2fEbv70AbqvuYSkJqPttMZKjm1+sUJ5W+zV3gI5UTkw6W9ZFtUMBPvuhgeTytmrI6Lc7YdbzjpduMNwoeaNKT6Pf3klhhjPaYjAfT7RuywljvJxoPoFcntM6/Wj8cP/394/uHzx+m4dp/PL7efej1S1gBWaVcJcSRt6gV2O436nh46+1GK7jtBL4xtPUeBCu07aNXN/9q/TeO/ZvtePtsybX1WqydaztrtOPhrdTkrMj21OrGg1p5cVpB7XmJjgc1UKWwAttbvdjw0llpqpnvnT3NtvGwBuvJVnSX1Jm3vQ0G6s69F8LeOvR4kBsq+Vagl1b4x4Ndb6FZMe5srW242J0+HvMKb+3vGQ9nU9+PFd/l/UAb7ugVB+/fz3sEfOsvutJnaP6IG9V7PSzeHKu9ou/H2mPzfccbZN//8unu5eWN40czi5ztXaektZo4/KG7244srMHG41gIo61HFsim5uNYOM0t337y7SEtjr9OWOvNWhbMYLt2LITPbx+13xjEr8ddJ4zV9jWLYayBPRbAjhY2C2lvE3s0jQfb2DyHL2lkjwU42Mpm4V3SzB4LbrCdzYK7pKE9+ssNtLT577a3qT386BxraxvPzQsa22MBjrS2WWy7m9tjYY20t1lYuxvcY2GNtrhZaBc1uQffiCNtbvpS3N3oHgtsS6ubxXdxs3v8DTHanLVeEhe1ZcfC3NryZqFepek9Fu5g25tFeUnje/CSr7W+6XXe1fweC2h7+5tFeKUG+ODdPdwCp/f2ZU3wwV91pA1Of8jdjXAzMN4K/7dPH+4GUXS263gb/O75+e6Xf7p/eD0+bz7BOzh4rUY+/2uu2ilAgrugT2Ao0PUuARLUYI/AUACjHQIkjE39AUPBbOkOIAFt7g0YCmq9M4CEMtgXMBTASFcACWG4J2AoiNWOABLBWD/A0Ol3dAOQgPb2Agwm72AnAM3cS/oAhsIb7AIgwV3SAzAU2mAHAAntkvb/4K820Pynv9ne1v/og3Ks8c+fkhe0/YfCG2n6k8h2t/yHghpp+LPqyd52/1BQo81+EthFrf6xN99Io5+9/Ha3+YfC2tLkJ9Fd3OIffhuMtqKNF8JFDeihILc290mgV2ntDwU72NgnMV7S1h+72GtNfXaFd7X0h8LZ3tAn8V2pnT92Rw8389n9fFkrf+wXHWnksx9xdxvfCuu8id8+dP74w9PzT/XydJr4xq7jTfwfPj/QL0v3Cn43HcSr11b0219G3Ri2vow2hrX+nO9Gt/M5vyPIzu21GuHWu2tjeN3p1d3g+FTrK4bWbZp0Q9veNNke2sps47X4rJnHVwyy037qRre1/bQxrN6iBd246AIGVwysu7hBNzK+0MEVQxuYYN4NsDfZ/JqXtldN7F/bzdXEnaE9fdiReLNj/2feErwW2387bKjFbgxntBbbje+iWux6wOe1sfYRxXrM8aVTFWP7bRjuePf+rx+fT9+V21T2u9lxvEJG/wCrT/rx/r8/dz7bykL49ZjLT/9odC/ZJ3/EnqW9p/7UFlJoYPX7v396XvtaMYvGLuTyAF8+3T33vuvM4vn1mMtPf/z7p/vn429+eD0+dz6gaIdCj7/Cr/L69Hz38fj7x4/3j1t/HDj08mBOtZv71//n89Pz55+2xQJHXh7Kz8fn7en75aDLA/jb8f7jj3wlEzuALwddHsCH4w93nx9e//Jw9/jx893HjclBjr48pLfC/vL08/H5+Z5XF+yY2OGXB/V6/Ptr3fPf96QMOfrykPyHl08/Hp+P+8MySrg8tO/vt+b0dMTlpzbW8bLP3FvQa9OJ+cpenRN3lvja9GPXr+1aPQidn/z8uCs8yu4fPry/e/7w5+6Yis5TjR1/eVg/3n/4cNwYyq/HXH767lfq2bm3f6J+sGay6fv0tG5y+cfpB2sreyqVW3s6N13EPjh3LuYObd4W2Fr/ay+2XZ2vW8Pr9Lz2Y9va7bqp1mMSfaeus83nN1Uuer02nVrF5i6bje8zu3O1+1bb2Km68SWzot/dF8we+t4S3hgp2yFe4MlbW2BGv3S/8bWlU3pTj0Z3IEinX2P7KJCNrXkLPrtN+E3que3CdYax9S7d1jFsW4KyhxbZEW0cV7QSDvvukNEV+eWzQxv6IBfs/Lvjy/vn+0/dTtmzfcY7OLsXmBY7sJrsIuSN/Yr8vN0+xdFT/pUv8czP+NfOCs+jJ+z0+PCTst6e1W7zgUDsdgmPg7RJrhGG0VzmMWBT+SoB8GazEQA0ma8RQN8UeByGJ1wjHNsWeCjEFa4RxoaOfh7XSCf/NQK1O/x5XKSz/xphjHX885BWOv2v8iutAYDxY5md/9cIqtP5zcNhHd/XCGSkE5xH1O0Av0ZoQ53hPLZ+R/g1ghvpFOexdTvErxHaaOc4D2+1Y/wqLx6jk9x45WAH+VVC6HYdG4HwbuOrPBCGupCNZ0O/+3hneNiywF2/fvrp0937V2heGHv12xgrZzqNxFg5zWmXHee4f4bf+rz0t43by/3m0/H9/Q/37++ssmc7bCr/X+5fXrvtu+UOG9p3p4mDf7x7/KVNlOMZON9nw1zh9399fPrbw/HDx6NR3SQlv4OjrBYQBG5OJjztd/xQv901HgMedp0g/tmqJ/VC+OfOqIhOACnG8OU6/+Uvp1TZdfLbX48di+H2PPBe1v3psTdRHffZMGxqw4RwepbtM8EXf5A1sv7p+f3xm+Pzz8fnP31/enDzz6rwqPjBlwW0OlqcBbJvmPhYQCtdQiyc7f19o8GsjAhnwewZCj76y3SGV/PfZeu46tGc6fqglTPbbXA0INu3eCwbbWs0DLtnmIexsVd4NIy+LvBQdsjCaDjduTwslu2TeMYCWcc0Hs9OSNvyBF6bVGQ9hHfNJhoLa8z2eGgXuN5oeCsj/1lUe4b8D15CazA9vW6bRtGPBTA+fJ5FdOG4+cG7b2Xap3Hv7ZnvOfyr2d5p/FAbrbMTCK0NrzXBft3l2i2wecFbGmBfol5t+gyffnbI1pPPZmk8PTy09vysO+GcbGd7jP+s5pyEZXkrsxHmIVpPO6Ptxk7XbauNne7JbpWxM37Z/ZKT3o9fonfTvhtPN9oits641hCG4+47f+zp5f2nxweqwSunvz07djiOt9Athft8z6cYrYQyHXetMO4/1F6s4Uh+3X1jIpw/I059Z1927M3l4ntue2ZY17xT9ruz4/jfafwJnVbK0/P9/3vq2/r1mK0xWYVcI8DuDPFeUOvf4t4WiFGt64WwpXK3LZjRKl4vuosqetvC7bT6ehFubfttvKD9jovuhd3RfbE1uLXGVj++Xc2t7SF2qvBr8W2tx28Lzu4E6sW1sStoW0jdRmovqu1N1W2Bdfs1e4Ft793cFth6H00vup09NdtCHOsY6YV5QffItlA7Pca9+Lb2G28Lqt892a0Ibe+k3PiOtTsEuq/Vjd0CWy9iB0T6l3Eri2yvSPLu7rWa44ZO79WQsC5/WhXl+7uX7qoMbL/xevwPdYzfpnLf/XqMXS9dBL6zGcEDGGpEjIbwpfb/6xHbouEFXB7YQAWFB7S3ejIa2OpNzMPadwuPBrVaC+BB7asDjP9S3XeW9Tttf2ON59Rqo8HKqX1NhtHA+hVeHtOO6u6Wh4L9OrCfAxtfBsOPydVqhvGg3FfJGA1rpV3MY9rTKh4NaKzGzeO6oL695Ym+XtO2H+o769ij4Y03BniIFzYFRsNcbYjy6PY1Q4cvrd29ZlzPjZ1ro4Fs6VrjkV3csTZ8t64oaude3SOpm37FfuPJ+OF2NJ06AZmNAVtWyW7jTYEPw9Xfc988P2qgztv31den17uHXm85DeH8qOuF8Mf11z8N4o/fXyOMp79uOnvdfc9JcXj2H84/69MGZJ/+aXgI9p8+HZ/XlnTGfcZTtFPhoIXSysb5j7MId3fFgp+/U6nYE8Z6BYKH0ak87AljrKLAQ1mpJOwJp1sh4FHwysCuS8Jf/MZ12PDSHw1g9IXPI7roZd8JEZ8rf35++uH+4f7x478cfz4+4MOhPWjoPpsml/zr8aenn4//9nJ85mdYbB9+rv3rsXY62Q+12Q4bXrrPT5++vXv+yD9StSz03ewAnrrzWK0m5fFvf3n/a1/k4MkXB10QwEr3Fjn7nn6toVC6HVokkO09WUNhdLuwSBjb+64Gfw2z04r+Ftt6qwZzo9tNRXNje//UUCh2xxS7Obf1SA0FYHdFkQA29kGNPSm6nU/sKbG912kokE7tj0SxtZ9pKIT1eiCJZGfP0vBTtF8NMx6kOzpphgIaqxuSoC7oPRoKrFtLJPFs7y8au2C8vsiu0obK4tCpR2uKJJaLqoljd9ZKZxC7r/b0Ao39Unb3D/txNvb7WCEsarOfT7PPf7p7/GDUZnH7cG32m+Pd8/sfR5bD4ntePra8U25/jLkRuvX2Pv5w/3i/4497NzvyGqFYA7R7QXRHaK+eHvPpm+PrSDPM2m04u373/Tevd6+9MQvzPTb0/7y/45++IQW+e9uZ/3oQ5L5GCjvtnlbKWDDdZgoLZXs7ZSyQbkOFBbK9pTL6i5hNFf57bGurjOZIt7HCc2R7a2UsGLu5wuLY2F4ZC8FusLAQNrZYxkLoN1lYGDvaLGOhdBot9KG1sdUyFsR6s4XFsrPdMv5k7bcRrIfrjgbCWEhjTRcW1gVtl7HQuo0XFtH21svgZePNF3qtNrRfxk4+2oBh0VzUghm8y1aaMPQe29OGGfy17EYM/YE2tmLMIObd5p8e7t73+83P9xivCm5ZF4ecY/uqOPCn7OtKXsaxvgTw2Il/vLe6bJfnnPa95HSfP53mLI+e8Ne9Lznlg2Uky/M9dHVk5GSrOrE86T6eGAlmBQaWoeyRgbHs7tAAy+2tNjB2aVZwgF2aPTowEkyPB5ZxbPaBkRB6QLAMYbMQjISwRgTLMHYZwUgoXSRYxrFdCUaCGGGCZSy7nWD0gbbWJ8+fabs65EdCGqWCZVgXWcFIaCtYsIxojxYMXTaLC8i12uQFIycfB4NlNBeKwdBdtkoG5B7bZwZDv1YPDcgPtFkNjCDO69v/9unD3Wuvuj3bYby2fff8fPdLWw9+sNh3cAivjM3jvUJVnwSyuaY/FFS3ok+iWK/nD53WquaTM3Zr+UMnsyv55HQrdfyhExpVfHK2Xg1/6FQrFXxyyj31+6FQutV7Esj22v1gRpuVe5rP2+r2gxelW7WnF2V7zX4oFLtiT6LYWK8fCsCu1rOH7bZa/VAA/Uo9CWJHnX4okE6VnkSxtUY/FMJ6hZ5EsrM+P/z46tebjSfYjirzUEBjlXkS1AV1+aHAulV5Es/2mvzYBeMVeXaVNtTjh049Wo0nsVxUix+7s1Yq8ey+2lOHH/ul7Co8+3E21uCtEJYVeHuG1/n2DdX3lYUzF6WOrZo5C9as3Ly+/7HzxYLlqeGIC0799OH+h/tt54ZD9p+8VYc3nRwPufzkfJ1S+8ydRUqN0y5z96RCx35F8tddxjP4v0dLe/ffK3/Cl/isH2/4VJ8vPtVKAwvPN9LEWj3pT58fXu+Hz/m290WnHGgsw2lHm8urpx7ruYCzb+i7WA2g32KHEw+02dkJz+/C6UV9/LLQUKc7yNx5A8R2v8HYP4H1Mcbzv9r+e/a17Fci2tPK3xxi935YCXD7oL7N4XU7JFbC2945sePXMzsqVn+7bZ0WO3Kv24GxmnvbOzM2h2h3bKxEt7GTY3NgdofHSmAbOz82B9bvCFkJbkenyOYAOx0kK9Ft7SzZHNp6x8lKhDs7UXa9Nfp9FwMvjh19GJsDHetoWQn2gk6XzQF3O2BW4tzeGbP9wvOOmbWrvaGTZnNIox02KzFe1Hmz/U5f6chZu8/3dOps/2XtDp61H3NjZ89IaMvlC36te/7L/V+/3NdvixfMtg5Px/nDqROn0wY43z5e7W/JRev8iwLffdmZ1/FnIVojSc+fVv/0/PRT508yd94w1ag3jqhX+uqaM/ZfMvRq+vbu446/+R0t5EoB/ni6fDtiejvuf+R3uvg32jAyY2OgP939/ZvXu4fj4/HlpfPF+ZVoeSnXC5k9nb4cYzyg5jsMP6OWhw7f3Wc7j9/dW1MFTzK6opL9d10zNRbRXS81BkIevPsXQS7v/kvDsjNqOJs2Z9KuC7bpYtm/wnUuzO5Hcv8C/Obll8f3v7t/+fT0cnr5szhgl/7T4iD517K/u/ty5PE/R4t+95fzw/5i/pUYOf/7vn74/PJ6fD51drEAzjaPJ9P7bWW+m+/P/5rzOK26zv3Hx7vXz89jJz3fe8sph79YZp5w9ZtlZ0d+idK6O+5eftx1+tvpyA0xrHwq7K/HX7jUrcfyduhFweCb/o9Pj/evT8+///n4+IqrA8y2Db/fp6M6j+H5HhtumafHx+P71297nQyk7HfkOP4bQujms/bu+fX7493rPz0f//vz8fH9L+OhGMdeEs5P949/uCAi+/BLgnqpX3uf9r1//PjHpw/0AcAiMo69JJz3z8cPx8fX+7uH0YR8Nz9krOIyFszD092H39493D2+521qFg0cc81w3j/99On5+PLyxNGU31Dnh1z3t/l4//7u4ZvWrn67Y+8fPxvKwn+rbhnXDLel6m8+UWO3c7sdcM1AHp9+d3y4o99WYWF82f2aQfzU9poWKhq+XsvDrnqJnt7/9bj9nbE87Kq/1PH17rSa9vBP9GX/a4bx6fnp77/84emF+iqL4/yAqwfy5yc+PsYMZDrg6oGcFo19NODUDObsoOv/MncvL397eh5+W+BB1wzodfwV+nr1V+f70wtwGhPx7dNfj7TPlr6xyIEXBhbOV9vq1HZ+vnu+P7UtT6ttLXf7B7fSFMZ1vTpnelvTa7nLjnPQFsH5pn693Wcojy0+Nx36vxZ7bBju+uHDqSYyWOS7L7vz6uQyVus2OG/Rrpx0ZWm3wTP++PTyOvx3vu184TlPs+nufz4On/Zs/wvPfPf8/f1sHN/ahf2y/6VX9hxd1q5sz1aGz3h8fn56Hj3l286X/pVPn54enj7+8u/H55fxW/Ld8rAL4/jp/vE/7p+PG8NYHHVpFHd/3xMFHnVhFHVw5LfP959mnYIrQeBBl1+Pf90TBjnuwkge7l5e2zDYLXEsjrpCFHU40u/uXjcFcX7Qpddk/Cpc4Wyfnu9/unv+ZfiR/+vuF5735fg6G624ct4vu19+3o33/eyIS5/904iRs07htRfA+RGXZvdId8taso92t+x9Mv/x+PJy9/F4+uDSb3/ZEBg/9ApvitOd/dvTzKXZ56sGXhZ44OWx/Pbl6fFP3//X8f3rxlgWB14Yy/3L++dfPr0OZ/HZ/hee+f9ikrZy9r+MaFovAp+8k3nd/DfbWiLzQy6O4O7h4Q9bGghn+1987vuXExbP5Hf16p8dcYXznz569tvj3am5Ox7C/KArRHG6v7f9CmdHXCUHtyTfNc756bzLbq2igL11w+c8Hw5w/O/P54iz9q5823vPWee9It/effzmbMmS1h/S/rHbW9Gl8EUp71bYe4qCy+u3RpvurG8MdhnvZ/n0/PT++PLC7ZqV+u78COOPgXhNoPr8aHy4np74y/5bTzsb89HQuMPY8z2uOSCNlDw6Cg3C5n/bN7UO2bK/8weS3a75V1rFj/6p7K/oOt03b1XnrgaZYXUKuUKA5hDkTjz9wccbTv/09nU/a76YGQQeeXEon56PP98/fX5pO2+KZXHormAWPddf3326+/7+4f713mx7nO/SvUWi82fPtceX1+fP71/Nzr9Fse/mx/TearOoL+n2Wgaxqd9rKI6RTkASx5ZeQCMOrETdvfzm48fn48ea019/fn7ZcHGMg68S1X+0OTMg6wMR4YFXiebb499f2zdptoQyO+o61+rz6497fhQ47iqxnD6+/GUG0MtU/JaozBKuFl/9gtBxb2yLoy+P6+Xzp1O74OWbx7tPLz8+1YmK41fSOvryuN5PyfHt3V+P/8Fmu60/qM0Crhvd14v1BbaE9vXq2hv9uLCRNFWtKR7PNw7z8dthPUAm+1zlNWyVO/QeZoFv0WTz5P0W4vhZrR5388Rrfe4bzn2aCWF3vJsR4GHXiOP3dhd8L47fr/fDb7oWp9ts+ejrXIu3Ay4/9+sd6bSyz/za+9jahvOehpHevd6zHrPOjXd2zNUiOD3Zfvk9ZfjVSGbHXhzRJpExY9tlMhui7A6BX41u0yD4Tb/d+7uHb398Pr78+PTwYUtE5Mhr5NZPT912TS+1FofuiQeqDXyciRlFf6TJpjP/ePfyvx+f/vb4zdan3PLA60Rz1ve/JyZ6+K7Izvu2X5/+72/+9H821APe9t91ZtJxfLZnp1vQ3nu8d3B0Ds3KuS5+lKxORzCeKBtCvOTZsj5T++uH++Pj6/Sgp9VusselYGEVuaYXLFjLeR4/nM2OGTrt7dsxwycn0+Nmsz7PDug5ANlvw6S2u88vdw9fPz2+3L+8nhJ40ynescMH/v617uipQb0tlrOjLg/hw/GHu88Pr98+3z2+3K2tbWjH1CvmekH2PGE9tlVIWAnpPGl///hhPWMXO42n6w9Pz1xzeJnv3vbnf9gy2t5pv3443lER6J377aALA+iubGWcn69oNXz6BUR8A0g07+iZto5fynurA/C8pHf3ax19b1H1hnG+WGMiZqf6susF53v9++P/+fzT90er2352xvOdLzjn/cvv7p9frSGT85/z1123nW/2cjz1pd//dPzwp8/W6IvZOee7bz0vmxwy7ffP+IaGrZfWM1hxa3UMDHA9+VfPdTt6D/zzh/UJ9/9x//rj2dvo67uHh9PKuBCNsdelP2iv2LUf1gq8kyvno4OmX/npuT9chpXxu/vn1tVGCvt123h/8pe/YdnU+rJt/Dn6BC9aq7B3Tys1j/PIzMbr8/H908/H51/m09/Mc+LuF5z5/uXP94+PR9JLiic92/Oi833zevf8ysb0kTOe7XvROX/z/vX+Z9IhuTzjr3tedL6Tpt2/vo79rOc7bzrreWN/qEa93Gvb0J/O6pBG0eZy3Mafd+EalVYU5uKU+8JYHwbV+zkGRkGNh/LT3d9b/tgLfluxLA+9+HfhS7GaP8aGNVjHgxhdfNWK6qJVV8fD7AwOsyLbutjzloTuLntuZ/P29c7Hg7IXOrfi2bjC+aa7bNf9tXEl/Q0PwtVluc1H4b71uMdDG1vf2grvgoWtx0PsfIDAimvrlwfGg+mvTm/Fs2NZ+g2PUHuVZfOpuXF55S0Xq/OtDftybf3IxnhA9ncOrGg2fuCgG8rCCnhb81qNy02tyYHmY+2j/32t7z6fGp/1azhwTrrPpX+IXejaX8VD5u3QP3TmjJ1tW2ktn/UK/fD89NM3r3QOFJb3brYv/1vO4+uc8bTbn9k0IHrOs70vOus3zz//6/H9+ZI4/T/1bPct5x0dJ7Y46cj4MH7KxZof6yfrzuYaOAudxbU4S3f+1sBZ2opaf757XY4ZXpxrtu/uM96//POff07rZ/t1v90pef/48un4fuBH/LLj7nO9Po3e5Gd7XnC28Rt8tu+WM3afyQOnu/3yn//g1laOPS+HFnHZzdiP6vZUyD+4/cGtLC87diuvxPip/t9VYzx77/3x6fHj0+9++2Wg+6kh9vLp7v3yktu7XuWtuFL8yEuy88dsf4usxTPyUhkKaFFphu718YDODh2rsG6P76z+PBrXhgr0UDxjz9+1qOjj+Lqx/e3+NK9l9/VcHH7Na7p8BKze+P8jt/vum/wKt/b+G/qC26R/c+w51/ojY+xBMXjuTbffyE2357xjt9b4DTUcA/Axim7/1jhzn/NZSB34IbuNy88auliFj6kL+wvW/9Zvjq8nF1z9Y9/22/DXbiry3d+G/rBfw7VO2h2J1Dn7+mikLWH819Pn58e7h20xfDnoCgFsPPVVf/x9P/1VQvjh9MWSbed/O2TLyf/z5qv703TPr/7x//vq52kSwj9+5W/Dbfnq5qsf7o8PH16++sfvWlQ3Z93kH57ef67/+Z/Tbv9+PL3fTju3vf/X4aub7w43qrfRpf/8z5vv3g6uG+o/vJXx5V/qge6rm+8cO9AtDnSzA/1XN995dqBfHOhnB4avbr4L7MCwODDMDpSvbr6TG3G3MZfZgbI4UGYHxq9uvovsjHFxYJwdmL66+S6xA9PiwDQ7UL+6+U7Zgbo4UGcH5q9uvsvswLw4MM8OLF/dfFfYgWVxYJknwCkfHM0dt0weB9lT04fnD0mgeQa5U144mkNumURunkXulBuO5pFbJpKbZ5I75YeTG/W3csjzg5fJ5ObZ5E454mg+uWVCuXlGuVOeOJpTbplUbp5V7pQrTm+i3jrR+cHLxHLzzHKnfHH5JpXbg4T5wcvkcvPscqecceUmyW30cPAywdw8w/wpZ/zhJsbbKDJ/ViwzzM8zzJ9yxrsbCbcJHzTLDPPwjKoPKX8jcntQOJg8puYZ5k8548ONxNvg57+2X2aYn2eYP+WMlxvR24O6+cHLDPPzDPOnnPHxdLDimZcZ5ucZ5k8549ON5NuD+vnBywzz8wzzp5zxejpYy/wh65cZ5ucZ5k854zM9eJlhfp5h/pQzvpwuVYZb0i8zzM8zLJxyJhxOZxY/P3NYZliYZ1g45UxwN+JvXYzzg5cZFuYZFk45Ezw98zLDArwJ66swnHLbQXoG8jKcZ1g45UwQlp5hmWFhnmHhlDMh3ki6FfyblxkW5hkWTjkTEj3zMsPCPMPCKWeCng7O+DcvMyzMMyyccibQ92NYZliYZ1g45UwoN6HclsP8MRSWGRbmGSannJEDe2PIMsNknmFyyhlx9OBlhsk8w+SUM+LZc1uWGSbzDJNTzki4kcPtYf57yTLBBKpbtb4lNyndRjgvqXDN80tOGSORvS9kmV8yzy85ZYwkevAyv2SeX3LKGFF68DK/ZJ5fcsoYyexPXqaXzNNLTgkjhV6nZXrJPL3iKWHi4ZSbER6dcZlecZ5e8ZQwkaZXXKZXnKdX9PaZl+kV5+kVTxkTPfm94jK94jy94iljYmAXKi7zK0KNvlbp5Sb524xnJpX6eX7FU8bEeBPz7SHOn19xmV9xnl/xlDEx3aTDrYNjl+kV5+kVs9WCicv0ivP0iqeEiXp6S5U0f3rFZXrFeXqlml759KIJZX5wWqZXmqdXqulV2FsqLdMrzdMrnRImHU5/c0nzC5WW6ZXm6ZVOGZMcDXuZX2meX+mUMcnTg5f5leb5lU4ZkwL7tdMyvxK0GmuzUWi7kTQc5/mVTimTaOsiLRMszRMsZfMVl5YZluYZlk45k3hzd5lhaZ5hesqZxJu8ywzTeYbpKWcSfa3rMsN0nmFaM4w2fXWZYTrPMD3ljNLGry4zTOcZpqecUdr41WWG6TzD9JQzShu/uswwnWeYnnJGaeNXlxmm0DdROydoeirpnphnmJ5yRml66jLDdJ5hesoZpRmmywzTeYblU84ozbC8zLA8z7B8yhnlHSvLDMvzDMvevKvyMsPyPMOyWQPLywTL8wTLZo9XXuZXnudXjub7Ii/zK8/zKyfzfZGX+ZXn+ZXVfF/kZX5l6P/K5vsiky6weX7lYr4v8jK/8jy/ysF8X5RlfpV5fhVnvi/KMr/KPL/KKWOUd94t86vM86sEMznLMsHKPMGKWMlZlglW5glWopWcZZlfZZ5fJZnJWZb5Veb5VdRMzrLMrzLPr5LN5CzL/CrQx1rM5CykmxX7WQ9mdrZt88PP/m063pkJ2rbh8dDbevBmjrZteDx0uB5OuZONjmLS5XqAPteDmJnatuHx0O16iFaytk14OHS8HpKVr20THg5drwc1U7Ztw+Oh9/WQzaxt2/B46IA9FDNx2zY8HrKvdtzz3HWsn3/R0e/s7KVd/ZB9tfveyF7W24/d/bUH38he1uGPPf61Ez8bUkGyDzv9az++kb2s2x/7/WtXPs9e1vGPPf+1M59nL+v6x77/2p1vZC/r/cfu/9qjb2QvAwAQAFc79Y3sJQbgAAFc7dc3spcwgAMHcLVr38heIgEOKMDV3n0jewkGONAAVzv4jewlHuAABFzt488GlZHsAxNwtZvfyF6iAg5YwNWefp69xAUcwIDzZseHIzLggAact/s+HMEBBzrggt394YgPOAACF+weEEeIwIERuGB3gjiiBA6YwAW7H8QRKHAgBS7YXSGOWIEDLHDB7g1xhAsceIGrBJANqyXZB2Tgmhnw7CVo4EANXIUAnr2EDRy4gasUwLOXwIEDOXAVA4zsJXbgAA9c9QAjewkfOPADV0nAyF4iCA4IwVUWMLKXKIIDRnCVBozsJZLggBJc1QEjewkmONAEV4HAyF7iCQ5AwVUjyLS/xBFScGAKTuxOOUdYwYEruEoFmY83ILLggBZc1QKuT47gggNdcBUMMh+yQHzBATC4agb87iPC4IAYnG0MjiCDA2VwHWZwxBkcQIPrSIMj1ODAGlwHGxzRBgfc4GxvcAQcHIiDs8nBEXNwgA6uow6OsIMDd3AdeHBEHhzQg+vYgyP44EAfXIcfHPEHBwDhOgLhCEE4MAjXQQhHFMIBQ7iOQzgCEQ4kwlVcyLTT1BGLcIARLnXevIQjHHiES/abl4CEA5FwyX7zEpJwYBJOO29eohIOWMJp581LYMKBTDjtvHmJTTjACaedNy/hCQc+4bTz5iVC4YAonHbevAQpHCiF086blziFA6hw1R4y7bV3hCocWIXTzpuXaIUDrnBVIHj2Eq9wABauGgTPXiIWDsjCVYUwspeghQO1cBUijOwlbuEALlzFCCN7iV04wAtXQcLIXuIXDgDDVZMwspcQhgPDcJUljOwliuGAMVyVCSN7CWQ4kAxXcSLTbn1HLMMBZrhsj1dyhDMceIarRMGzl4CGA9FwFSl49hLScGAarjKFkb1ENRywhqtSYWQvgQ0HsuGqVhjZS3DDgW64KhZG9hLgcCAcrqKFkb3EOBwgh6tuYWQvYQ4HzuEqXRjZS6TDAXW4qheF9/YT7HCgHb7qBc9eT7TDg3b4qhc0ez3BDg/Y4Ste0Oz1xDo8WIevdsGz1xPr8GAdvtoFz15PrMODdfiKFzx7PcEOD9jhq17w7PVEOzxoh696wbPXE+3woB2+6gXPXk+0w4N2+KoXPHs90Q4P2uGrXhTa2++JdnjQDl/1wsheoh0etMM7s83rCXZ4wA5f8YJnL7EOD9bhq10Y2Uusw4N1+GoXRvYS6/BgHb7ihZG9BDs8YIevemFkL9EOD9rhq14Y2Uu0w4N2+KoXRvYS7fA436HqhZG9bMYDTnmoelH45Co26WEx68EesOLpvAdIP2+OWfFs5gNOffDmsBXP5j7g5Advj1zxbPoDzn/w9uAVz2ZA4BQIb49f8WwSBM6C8PYQFs/mQeBECG+PYvFsKgRohw/2QBZPtMODdvhgj2XxRDs8aIevelFob78n2uFBO3ywR7R4oh0etMMHO/0IdnjADh866UewwwN2+NBJP4IdHrDDh076EezwgB3exg5PsMMDdvhgj3HxRDs8aIcXe5SLJ9rhQTu82KNcPNEOD9rhxR7l4ol2eNAOX/Wi0N5+T7TDg3Z4sUe5eKIdHrTDiznKxRPs8IAdXsxRLp5Yhwfr8GKPcvHEOjxYhxd7lIsn1uHBOrzYo1w8sQ4P1uGjPcrFE+vwYB0+2qNcPLEOD9bhoz3KxRPs8IAdPtqjXDzRDg/a4ateFGpFnmiHB+3w0R7l4ol2eNAOH81RLp5ghwfs8NEc5eIJdnjADh/tUS6eaIcH7fDRHuXiiXZ40A6f7FEunmiHB+3wyR7l4ol2eNAOn+xRLp5ohwft8Mke5eKJdnjQDp/sUS6eaIcH7fBVLwqVRk+0w4N2+GSPcvFEOzxoh0/mKBdPsMMDdvhkWpsn2OEBO3yyrc0T7fCgHV5ta/NEOzxoh1fb2jzRDg/a4dW2Nk+0w4N2eLWtzRPt8KAdXm1r80Q7PGiHV9vaPNEOD9rhq14Uam2eaIcH7fBqW5sn2uFBO7zaFT+CHR6ww6tpbZ5ghwfs8Nm2Nk+0w4N2+Gxbmyfa4UE7fLatzRPt8KAdPtvW5ol2eNAOn21r80Q7PGiHz7a1eaIdHrTDZ9vaPNEOD9rhq14Uam2eaIcH7fDZtjZPtMODdvhsWpsn2OEBO3wxrc0T7PCAHb7Y1uaJdnjQDl9sa/NEOzxohy+2tXmiHR60wxfb2jzRDg/a4YttbZ5ohwft8MW2Nk+0w4N2+GJbmyfa4UE7fNWLQq3NE+3woB2+2NbmiXZ40I5wMK0tEOwIgB3hYFpbINgRADvCwba2QLQjgHaEg21tgWhHAO0IB9vaAtGOANoRDra1BaIdAbQjHGxrC0Q7AmhHONjWFoh2BNCOcLCtLRDtCKAdoeqFO1BsC4Q7AnBHcDa2BcIdAbgjOBPbAtGOANoRnIltgWhHAO0Izsa2QLgjAHcEZ2NbINwRgDuCs7EtEO4IwB3B2dgWCHcE4I7gbGwLhDsCcEdwNrYFwh0BuCM4G9sC4Y4A3BF8W0GMalsg3hHAO4K3tS0Q7wjgHaH6hTtQMAkEPAKAR/D26zcQ8QggHsGb8ygDEY8A4hG8OZUyEPAIAB7B27MpAwGPAOARvD2hMhDwCAAeoQMegYBHAPAIHfAIBDwCLv7UAY/Aln/C9Z864BHYClC4BFRo6cfXNGSrQC2WgbLFI9CFoCD9gp1+bCkoXAsq2OnHFoPC1aBCJ/3YelC4IFTopB9bEgrXhAr2lN7AVoXCZaE64hHYwlAgHqEjHoGIRwDxCB3xCEQ8AohH6IhHIOIRQDxCFQx3oOQRCHkEII/QIY9AyCMAeQSbPAIhjwDkEWzyCIQ8ApBH6JBHIOQRgDxChzwCIY8A5BE65BEIeQQgj9Ahj0DIIwB5hA55BEIeAcgjdMgjEPIIQB6hQx6BkEcA8giVMNyBmkcg5hHAPELHPAIxjwDmEWzzCMQ8AphHsM0jEPMIYB6hYx6BmEcA8wgd8wjEPAKYR+iYRyDmEcA8Qsc8AjGPAOYROuYRiHkEMI/QMY9AzCOAeYSOeQRiHgHMI1TDcAeKHoGgRwD0CB30CAQ9AqBHsNEjEPQIgB7BRo9A0CMAeoQOegSCHgHQI3TQIxD0CIAeoYMegaBHAPQIHfQIBD0CoEfooEcg6BEAPUIHPQJBjwDoETroEQh6BECPUBHDHah6BKIeAdQjdNQjEPUIoB7BVo9A1COAegRbPQJRjwDqETrqEYh6BFCP0FGPQNQjgHqEjnoEoh4B1CN01CMQ9QigHqGjHoGoRwD1CB31CEQ9AqhH6KhHIOoRQD1CVQx3MFaUJekH7BE67BEIewRgj2CzRyDsEYA9gs0egbBHAPYIHfYIhD0CsEfosEcg7BGAPUKHPQJhjwDsETrsEQh7BGCP0GGPQNgjAHuEDnsEwh4B2CN02CMQ9gjAHqEyhjtQ9wjEPQK4R+i4RyDuEcA9xHYPIe4h4B5iu4cQ9xBwD+m4hxD3EHAP6biHEPcQcA/puIcQ9xBwD+m4hxD3EHAP6biHEPcQcA/puIcQ9xBwD+m4hxD3EHAPae7Bvz0hxD0E3EM67iHEPQTcQ2z3EOIeAu4htnsIcQ8B95COewhxDwH3kI57CHEPAfeQjnsIcQ8B95COewhxDwH3kI57CHEPAfeQjnsIcQ8B95COewhxDwH3kOYe/OsnQtxDwD2k4x5C3EPAPaQyBl0aQ4h6CKiHNPWgS2MIUQ8B9ZDKGHxpDCHsIcAe0iZ60KUxhLiHgHtIcw+2NIYQ9hBgD7HXtBKiHgLqIfaaVkLQQwA9pLOmlRD0EEAP6axpJQQ9BNBDOmtaCUEPAfSQzppWQsxDwDyks6aVEPMQMA/prGklBD0E0EM6a1oJUQ8B9ZCqGI5/vUgIewiwh3QWtRLCHgLsIfY8DyHqIaAeEtq7N7CHB1EPwe9hiNnyEPZBDPwihtgtD2HfxMCPYojd8hD2WQz8LobYLQ9hn8ZYfBvDbnkI/TwGpJ/YLQ9hX8jAT2SI3fIQ9pEM/EqG2C0PYd/JwA9lVMVwjqKRsI9l4NcyxG55CPteBrCHxIOdv4Q9BNhDol31I+ohoB4S7aofQQ8B9JDYqfoR9BBAD4mdqh8xDwHzkNip+hHzEDAPiZ2qH0EPAfSQ2Kn6EfUQUA+JnaofUQ8B9ZDYqfoR9RBQD0kt+yg6CWEPAfaQ1Kn6EfYQYA9J5gRzIeohoB6SzAnmQtBDAD0k2RPMhaCHAHpIsieYCzEPAfOQZE8wF2IeAuYhyZ5gLgQ9BNBDkj3BXIh6CKiHJHuCuRD1EFAPUXuCuRD1EFAPqYrh+GcIhbCHAHuI2jPMhbCHAHuImjPMhaiHgHqImlN8haCHAHqI2lN8haCHAHqI2lN8hZiHgHmI2lN8hZiHgHmI2gOuhKCHAHqI2gOuhKiHgHpItgdcCVEPAfWQbA+4EqIeAuohVTGco+gkhD0E2EOyPeBKCHsIsIdkc8CVEPUQUA/J5oArIeghgB6S7QFXQtBDAD0k2wOuhJiHgHlItgdcCTEPAfOQbA+4EoIeAughxR5wJUQ9BNRDij3gSoh6CKiHFHvAlRD1EFAPqYrhHEUnIewhwB5S7AFXQthDgD2kmAOuhKiHgHpIMQdcCUEPAfSQYg+4EoIeAughxR5wJcQ8BMxDij3gSoh5CJhHPNgDriJBjwjoEQ/2gKtI1COCesSDPeAqEvWIoB7xYA+4ikQ9IqhHrIrhHEWnSNgjAnvEgz3gKhL2iMAesX3Jg36LMxL2iMAe8WB2/EWiHhHUI7YvedCPHhL0iIAesX3Ig3/3kJhHBPOI1TCMTx8S84hgHrEihvH1Q4IeEdAjVsXgH0Ak6BEBPaK9tFUk5hHBPGJnaatIzCOCecTO0laRmEcE84idpa0iMY8I5hE7S1tFYh4RzCN2lraKxDwimEfsLG0ViXlEMI/YWdoqEvKIQB6xEobzlPwiMY8I5hGbefD0J+gRAT1iQw/je6ckAQE9or24VSTmEcE8orfJNxLziGAesZkHf3oQ9IiAHrHN9eB3P1GPCOoRK2Pwu5+oRwT1iN4cbhUJekRAjxg62UfQIwJ6xNCyj4pdJOoRQT1im+rhaa9/JOwRgT1iZQznw0083ErAAkj+gXvE6hjOy02U2wxfHI8EPiLAR6yQ4Xy8if42FPxqL0lBkI/YPv9Nv5ceCXxEgI9YIcPXR1ha/IQkBQE+YpUM/qX4SOQjgnzEJh8+3cRye4hYAMlCoI9YLcN5ZTcBsY8I9hGlZWG+ieE2BiyAZCHgR5SWhYUGQJIQ8CO2GR/hQI8nOQj4EStmuODoU4ToRwT9iFUzXPD0EhD+iMAfsXKGC4EXQJIQ/CNWz3BBeAEkCwFAYgOQEOlvSLIQ/CNK6TwICIBE/GJ4A5BAH8Xsm+H40fAqGi7QLGafDcfvhlfScCHT40kS4qfDY0tCmsTs6+H4+fA270NoErMPiC++IH5KKR9uJN4Gj8eTFMSPiFfScOLoc5R9Rxw/JF5Nw4mnfwDJQPyYeDUNJ4EeTzIQPyheTcOJ3MR0Gxy8Tdk3xQFBYpv6watSxEAiGEispuEk0nuQIEgEBIlVNZwk+i4kDBKBQWJ1DSfKCyBJCBASU0vCzAsgWQgSEtv0Dym8AJKGQCGx0oaLB14ASUOwkFhtw0XHCyB5CBgSK2646HkBJBFBQ2LVDRcDL4AkInBIrLzhIq8TEQ+J4CGxecipWswKIJkIHhKrb7jIM5GASAQQiVU4XOSZSEgkAonEahwu8kwkKBIBRWJFDhd5JhIViaAisU0FSTwTCYtEYJFYmcMl+qWqSFwkgovE6hwu0a4Z4iIRXCRW53CJTuSOBEYiwEis0OESHRURiYxEkJFYpcMl6sqR0EgEGomNRhKVvUhoJAKNxEodLim9CMRGIthIrNjhEu3djkRHIuhIrNzhEu9fJD4SwUdi9Q6nvI+BAEkEIIltVojyZiIRkghCEqt4WJU7QiQRiCRW8nBKM5kQSQQiiZU8jLoBIZIIRBKLsyt3hEgiEEms5BH0VLnK2E1GiCQCkcRGJBpoFhIiiUAksZKHU+EFkCwEI4kVPZzGm+RuxXsogGQhKEksLQsTj4BkIThJLC0LlXZ1ESiJACWxzQ7RfJPK7UGwAJKFICWxtCws/E8gaQhUkip9uEy76hOxkgRWkqp9uOxIHiZiJQmsJFX7cNnfRL11ggUsEzEBlqSKHy7TRExESxJoSWpakmkiJqIlCbQkVf1wOZJHQSJakkBLUtUPXktPREsSaEmq/OFyYl2OiXhJAi9JzUuMAJZZmABMUgWQEFiXeyJgkgBMUpskQp9FiYBJAjBJztk9bomISQIxSc7bPW6JmEkCM0kVQXiPWyJokgBNUkUQ3uOWCJokQJNUEYT3uCWCJgnQJFUEMXrcElGTBGqSqoLwHrdE1CSBmiSX7R63RNgkAZskV8wet0TYJAGbpDZVhPa4JcImCdgkNTbhPW6JsEkCNkltiSze45aImyRwk+SD3eOWCJwkgJPkxe5xS4ROEtBJ8tHscUuEThLQSfLJrpQlYicJ7CR5NXvcErGTBHaSfDZ73BLBkwR4kqqG8B6zRPQkgZ6kcDB7zBLRkwR6kiqG8B6zRPAkAZ6khie8xywRPEmAJ6nhCe0xS8ROEthJanbCe7wSsZMEdpLat0H4q4zQSQI6SW3SCO/xSsROEthJCmr3eCWCJwnwJIVs93gloicJ9CQ1PeE9XonoSQI9SU1PeI9XInySgE9S4xPe45UInyTgk9T4hPd4JeInCfwkNT/hPV6JAEoCQEkNUHiPVyKAkgBQUgMU3uOVCKAkAJTUAIX3eCUCKAkAJTVA4T1eiQBKAkBJDVB4j1cigpJAUFITFN7jlYigJBCU1ASF93glQigJCCU1QuE9XokYSgJDSc1QsrK6PTGUBIaSmqEYjwOCKAkQJU2Iwi8CUZQEipJi7DwOCKMkYJQ0MYpxEUgiAqOkxijG44A4SgJHSc1RjMcBgZQEkJIapBiPAwIpCSAltdkkxuOASEoCSUlNUozHAZGUBJKSmqQYjwMiKQkkJTVJMR4HRFISSEpqkmI8DoikJJCU1CTFeBwQSUkgKWmSFJ6JRFISSEpqkmI8DoikJJCU1CSFf/A6EUlJICmpSUqmHTaJSEoCSUlNUgrvsCGSkkBSUpOUQvvwE5GUBJKSmqQYtXQiKQkkJTVJOX09kUVAMhEkJTVJKXSMVSKSkkBSUpOUIuypTiAlAaSkBin8K06JQEoCSEkNUmjvcSKOksBRUnOUkmg9mUBKAkhJDVKKsp7HRCAlAaSkBilGlwmBlASQkhqkFNaBnYijJHCU1ByFf1EgEUdJ4Cipsog/8DuJOEoCR0nNUYwWO3GUBI6SmqMYLXbiKAkcJTVHMVrsxFESOEpqjmL0+xBHSeAoqecoiThKAkdJzVGMfhMCKQkgJU2QwpuMRFISSEpqS2zxJiORlASSkorvNBkJpSSglFR6dURCKQkoJZVeHZFQSgJKSaVXRySUkoBSUunVEQmlJKCUVHp1REIpCSgllV4dkVBKAkpJpVdHJJSSgFL00KkjKqEUBUrRQ6eOqMRSFCxFD506ohJLUbAUPXTqiEosRcFS9NCpIyqxFAVL0UOnjqgEUxQwRQ+dOqISTVHQFD106ohKNEVBU7TqiOcfW1DCKQqcopVHPP9YghJPUfAUrT7i+XL3SkBFAVS0+ojnC44rARUFUNE2BYU+U5V4ioKnqGvv5sjezUpARQFUtIHKId1EdxuSQgEkEUFUtInKgY6yUEIqCqSiVUg8X7hSCakokIpWIvEH2lRQYioKpqKVSLyjFRwlpqJgKups11NiKgqmos1UuMspQRUFVNFqJN7RtooSVFFAFa1G4vkaQEpQRQFVtKEKdyklqKKAKuqb7FGeVoIqCqiiFUk8X8dFiaooqIpWJPF8JQwlqqKgKurbdAA6YkkJqyiwivqWiKwTTQmrKLCKVibxfDquEldRcBWtTuL5hEglsKIAK9pghU+KUiIrCrKiFUo8n9eiRFYUZEWrlHg+r0UJrSjQilYp8Z6/FAitKNCKVirxnicisRUFW9HJVmhNXYmtKNiKtu+Q8LcKoRUFWtGJVnj1htCKAq3oRCu8ekNoRYFWdKIVXr0htKJAK9pohVe0ldCKAq3oRCu8ekNoRYFWdKIVWtFWQisKtKITrdCKthJaUaAVnWiFV7QJrSjQik60wt9LhFYUaEUnWuEVbUIrCrSiE63wTCS0okArOtEKz0RCKwq0ohOt8EwktKJAK9poxahoE1pRoBVttGJUtImtKNiKxvZIZOOulNCKAq1olRKfbiTfHtTD8SQPQVa0zU/x/L1IZEVBVrTJCu9DUyIrCrKi0Z6opwRWFGBFq5PwYUtKXEXBVbQyifd0AKQSV1FwFa1MEhIbsKCEVRRYRVN7L2d6DQmrKLCKViUxqrhEVRRURVPLQV6zIKqioCpakcQHXrMgqqKgKpraLCleRyaqoqAqWpHEB9odr0RVFFRFK5L4wKu4RFUUVEUrkvjAaxZEVRRURSuS+MCbi0RVFFRFK5L4wG9loioKqqLaRt7w5iJRFQVV0YokPmReAMlEUBWtSOIDz0SiKgqqohVJ/Gnw0VJVlKiKgqropCoUJZSwigKraFUSL7ySTFhFgVW0MokXnsrEVRRcRSuTeOGVZOIqCq6ilUm88FQmrqLgKlqZxAtvrRFXUXAVrU7ihacygRUFWNHqJF7o2l1KYEUBVrTBivBUJrCiACuaWybyVCawogArWp3ER/5QJbCiACtancRHnokEVhRgRauT+MibawRWFGBFq5P4yDORwIoCrGh1Eh95JhJYUYAVrU7iI89EAisKsKIVSnyk8yuUyIqCrGiFEh8pUiqRFQVZ0QolPvKOAyIrCrKiFUp85JlIZEVBVrRCiU+8D47IioKsaIUSn3gmEllRkBWtUOITz0QiKwqyohVKPJ9zp0RWFGRFK5R4PudOiawoyEquUOL5nLtMZCWDrOQKJT6xccGZwEoGWMnVSXyij8RMYCUDrOTqJJ5PucsEVjLASj60tgpNxExgJQOs5Ooknk+5ywRWMsBKrk7i+ZS7TGAlA6zk6iReaSJmAisZYCUf7C85ZeIqGVwlN1fhU9YycZUMrpLdwa7gZOIqGVwlN1fhc94ycZUMrpKdNxt8mbhKBlfJnXkqmbBKBlbJjVV4gy8TVsnAKrkqCW/wZaIqGVQlu06TORNVyaAquSIJb/BlgioZUCU3VFH+LCKokgFVcpuoQqdAZ4IqGVAl+4P9Vs0EVTKgSm4zVfgk7kxQJQOq5IYqtN8lE1PJYCq5EolXWkPNxFQymEpupqL8cUxMJYOp5GYqyh/HxFQymEpupqL8cUxMJYOp5GYqmT+OialkMJXcTCXzxzFBlQyokhuq8LZSJqiSAVVym6zC56FngioZUCU3VMn8hUBQJQOq5IYqObD6YSaokgFVcui0VDJBlQyokhuq8BpqJqiSAVVyQ5VM60aZoEoGVMnVSHzmzyOCKhlQJbcJK3wEVyaqkkFVckUSPnszE1TJgCq5oQqdPpuJqWQwlSz2IjeZkEoGUsmNVPj02UxIJQOpZLEHO2QiKhlEJVcgMV5JBFQygEpuX3fnF4B4SgZPyc1TONNn4ikZPCVL76VMPCWDp+TKI0a1hHBKBk7Jku1qEdGUDJqSK47w6bOZYEoGTMkNU/gwykwwJQOm5IYpdPpsJpaSwVJysxQ+TCETS8lgKbnNU6HTZzOxlAyWkts0FTp9NhNLyWApuc1S4cNAM7GUDJaSm6XwwbiZWEoGS8ltlgofjJsJpmTAlNxmqfDBuJloSgZNyW2WCp0+mwmmZMCU3CapGE9yoikZNCW3SSp0+mwmmJIBU3Kbo0Knz2aCKRkwJbcpKnRNk0wsJYOl5DZDhU6/zYRSMlBKnpb6oklMJCWDpORJUmjjhkBKBkjJbXoKn36bCaRkgJTcpqfQ6beZOEoGR8ltdgpdlCYTRsnAKFk7Y7EzYZQMjJLVHoudiaJkUJSsnbHYmShKBkXJ2hmLnYmiZFCUrJ2x2JkoSgZFydoZi52JomRQlKydsdiZKEoGRcnaGYudiaJkUJSsnbHYmShKBkXJ2hmLnYmiZFCUnDtjsTNRlAyKknNnLHYmipJBUXLujMXORFEyKErOnbHYmShKBkXJuTMWOxNFyaAoOXfGYmeiKBkUJefOWOxMFCWDouTcGYudiaJkUJTcFCXzrgaiKBkUJefOIrCZKEoGRcmddb4yQZQMiJI763xlYigZDCU3Q+EAkYmhZDCUXEnEaF0QQslAKLkRSuZpSAglA6HkRih8jEcmhJKBUHIjlJxpA48QSgZCyY1QcqG9noRQMhBKboTCJ21mQigZCCU3QuGTNjMhlAyEUhqhFNrXUgihFCCU0ghFbkRvD+rg+GUeFiCU0gilBFbBL4RQChBKaYRCK1eFCEoBQSltagpfa60QQSkgKGVa5ouuVFaIoBQQlNIEpdAvIxQiKAUEpTRB8adm6kHxGi7TsACglENbbo6umFeIoBQQlNI+B08XeysEUAoASmmAQrt6CvGTAn5SnF09LIRPCvBJaet88a6eQvykgJ8UZ3+bohA/KeAnpXII7+ophE8K8ElpfEIfxoXwSQE+KROf0GpNIXxSgE/KtM4X7eopxE8K+Elx9pDDQvikAJ8UV8yunkL4pACflMYntKunED0poCdl+jwK7eopRE8K6Elp63zRrp5C9KSAnpTejJRC9KSAnpS2zBft6ikETwrgSZlW+WKt5ELspICdlLbKF+/qKcROCthJmVb5ol09hdhJATsp0zJftKunEDspYCdlWueLdvUUYicF7KQ0O6FdPYXQSQE6KdNnUmi1tBA6KUAnpa30Rbt6CpGTAnJS2kJftKunEDgpACcl2F01hbhJATcpwe6qKYRNCrBJCZ1vAxTCJgXYpAT72wCFqEkBNSnTXBTaVVIImxRgk1IZxHgVETYpwCZlmopCu0oKcZMCblKmqSi0gVqImxRwk9KmovCukkLgpACclDYVhXeVFCInBeSktKkovKukEDopQCdlmopCG6iF0EkBOinTVBTaVVIInRSgkzJNRaFdJYXYSQE7KdNUFNpVUgieFMCTMk1F4XUKoicF9KRMU1FoV0khelJAT8o0FYVnIuGTAnxSGp/wrpJC+KQAn5TGJ7yrpBA/KeAnpfkJ7yopBFAKAEppgMK7SgoBlAKAUmJrnVBILgRQCgBKaZNRCq9cE0ApACgl2uO7CvGTAn5S2myUQoeFFAIoBQClpFY3pMNCCgGUAoBS2nQUviZNIYJSQFBKm47C16QphFAKEEpp81H4IP5CDKWAoZRqIoGvXlAIohRAlDLNR6HDQgpRlAKKUiZFoYMyCmGUAoxSUmcJzkIYpQCjlNRZgrMQRyngKCV1luAsBFIKQErRzhKchUBKAUgp2lmCsxBJKSApRTtLcBYiKQUkpWhnCc5CJKWApBTtLMFZiKQUkJSinSU4C5GUApJStLMEZyGSUkBSinaW4CxEUgpIStHOEpyFSEoBSSnaWYKzEEkpICkld5bgLERSCkhKyZ0lOAuRlAKSUnJ7JvKuSyIpBSSltG/J8+VQCpGUApJScnsmCu06JJJSQFJKkxS+YF0hklJAUkqFkcDXQylEUgpISqkwEg4UQgqRlAKSUiqMhAN/uRJJKSAppcJI4OuhFCIpBSSlVBkJB/5yJZRSgFJKpZHA10MpxFIKWEppK33x8d+FWEoBSynNUhx/uRJMKYAppa30ZfTfEUwpgCml2khwnqYywZQCmFKqjQTHbyaCKQUwpZQ21kvovUAwpQCmlNJ6EPm9QDClAKaUaiOBr2dSCKYUwBR3qDgSHL0Zpq3zIs7/8a0Muy972rgowmER9cnI10WZti7K8FhGS0l6V01bF2UELKM+H/nqKNPWRRmCZdTE5AukTFsXZUQsI5mTC6aNiyISFlGz09NR0dPWRRmKZWT7YT1tXZSRsYyao3y1lmnrogzMUtcZDzZtxTIcZmkVFN4mmzYuisAsbejClxqdti7KwCxt64FxRJ62LsrALHViP72nrYsyMEtdNDV/2rgoApO0RzDT1kUZmKU9hZm2LsrALO1AzLRxUQQmacdipo2LIjBHOxwzbcQiPKZoT2SmrYsyMEc7KDNtXBSBKdpzmWnrogxM0Q7NTBsXRWCGdnRm2rgoAjO0BzTT1kUZmKE9o5m2LsrADO0xzbR1UQamaE9qpq2LMjBHO1gzbcQiAuZoz2umrYsyMEc7ZDNtXBSBOdpRm2njoghM0Qlu2HikaeOiCEzRZjfUfqaNiyIwRSe+4VlO+Ob8H9+KUHM8ybRxUQQm6GQ4FJGmrYsyMEGnJcWYI00bF0Vgfkpn1O20FcsQTFDp1UYJ5pz/41sRnbG309ZFGZig0hl+O21dlIEZKp0RuNPWRRmYotIZhDttXZSBOSqdcbjT1kUZmKTSGYo7bV2UgVkqndG409ZFGZil0hmQO21dlIFpGjtjcqetWEbENI2dYbnT1kUZmKexMzJ32rooA/M0dgbnTlsXZWCexs743GnrogzM09gZojttXZSBeRo7o3SnrYsyME9jZ6DutHVRBuZp4x++vuS0dVEG5mnsDNedti7KwDxta5IZTR6iQOf/+FaE6zV5CASd/+NbGZ3OpmnrogxM0zahxmiuEA06/8e3Ijo9TtPWRRmYpW1ejdVcISZ0/o9vZaROc4Wo0Pk/vhVhr5Y3bVwUgTnaViozmitEhs7/8a2I0muuEBw6/8epjMZDRnOF8ND5P74V4XrNFSJE5//4VobvNFeIEZ3/41sRodNcIUp0/o9vRUivuUKg6Pwf38qIveYKsaLzf3wrI/WaK4SLzv/xrQztNVeIGJ3/41sZudNcIWZ0/o9vRXQfo4SNzv9xKqPBkdFcIXB0/o9vRbhOc4XQ0fk/vhXhO80Vgkfn//hWROg0Vwgfnf/jWxHSaa4QQDr/x7ciYqe5Qgjp/B/fiuiMeZu2LsrABM32sLdp46IIzM/cGfk2bV2UgQma7cFv08ZFEZifpTP+bdqKZRRM0NIZAjdtXZSBGVo6o+CmrYsyMEVLZyDctHVRBuZo6YyFm7YuysAkLZ3hcNPWRRmYpaUzIm7auigDs7R0BsVNWxdlYJqWzri4aeuiDEzT0hkaN21dlAF56g6d0XHTVijDoTW5Q2eA3LR1UYbDMjpj5KatizI8ltEZJjdtXZQRsIzOSLlp66IMwTI6g+WmrYsyIpZRK6Sejpebti7KSFhG0ya6ltO0dVGGYhn2qLlp46KIjEWUTlPDMWxyiE2uylE4VUmXc4umrVgGYpNr2OQzmyA1bV2UgWnaWSFt2rgoArO0LZLGGdExa3JoTa7N8+GtFceoySE1ufYBGr7U2rR1UQbmaIUjPt1o2rgoAlO0fYWGLy89bV2UgSnaqMlKc2ZNDq3JuV6V1DFscohNrmETXQZy2ohFIDY531KUc7lj2OQQm5xva45zLndMmxxqk2trqPGFp6atizIwSZs2GRUxx7jJITe5ikdGRcwxbnLITa5xk1GJcoybHHKTa9xkVKIc4yaH3OQaNxmVKMe4ySE3ucZNRiXKMW5yyE2ucZNRiXLMmxx6k2veZFSiHPMmh97kmjcZlSjHwMkhOLkGTkYlyjFxcihOromTUYlyjJwckpNr5GRVopg5OTQn18zJqkQxdHKITq7NGrIqUUydHKqTa+pkVaKYOjlUJ9fUyapEMXZyyE6usZNViWLs5JCdXEWkEPioH8fcyaE7OWmPUzqkbdq6KAPzdFqCja4kOG1dlIF52pZhC3SU6LR1UQbmaUWkcOq7oWWwPEV3cpLsKQDT1kUZmKdtQTbhVSDGTg7ZyUm2x/lNWxdlYJpK5/si09ZFGZim0f7EyLQRi0B1crFlaeJXhamTQ3VysWWp8cJm6uRQnVxsWcrH+zmmTg7VyTV1supRTJ0cqpOb5hqxJWynjYsiMEljq5ka9SiGTg7RyUX7c2DTxkURmKQxm6taTBsXRWCOTrOO6MIW09ZFGZijbeU2o2fOMXNyaE6uAlIQo1bJzMmhObk2/Yh/gGPauigDk7QKUhA6XH/auigDk7ShE3crx8zJoTm5zlpu08ZFEZijKdndz46Rk0NycqkzyMQxcnJITi71Bpk4Zk4OzclN5mRUoZg5OTQnN5kTRzzH0MkhOjl1nWYxMyeH5uS0175n5uTQnFz7Ug5HPMfMyaE5uWZOBuI5Zk4Ozck1c+KI5xg5OSQn18jJQDzHyMkhOblGThzxHBMnh+LkJnHi9xoTJ4fi5Jo4GYjnmDg5FCc3iRNHPMfIySE5uYmcOOI5Zk4OzclN5sQRzzF0cohObkIniniOoZNDdHK5+6Zn6uRQnVybuMQRzzF1cqhOrqkTFzjH0MkhOrmGTlzgHEMnh+jksr0y5rRxUQSmaFsKzuouYejkEJ1csdeqnjZiEWhObjIn7laOmZNDc3KTORlNWWZODs3JTeZkNGWZOTk0JzeZk9GUZebk0JxcMyery4WZk0NzcpM5GU1ZZk4OzclN5mR0uTBzcmhObjIno8uFmZNDc3KTORldLsycHJqTn8yJ1xc8MyeP5uQnc+JdLp6Zk0dz8pM58Tz1zJw8mpOfzInnqWfm5NGc/GROPE89MyeP5uSbORldLp6Zk0dz8hWQrC4Xz8zJozn5Zk78E3fT1kUZimXkTpeLZ+jkEZ18m+FkdLl4hk4e0ck3dDK6XDxDJ4/o5Bs6GV0unqGTR3TyDZ2MLhfP1MmjOvmmTrzLxTN18qhOflIn3uXiGTt5ZCffZSfP2MkjO3nXmYfnGTt5ZCc/faaHd7l4xk4e2ck3djK6XDxjJ4/s5KshBbEyjGUpspOviGSWwdzJozv55k7C5xR65k4e3ck3dzLLYFmK7uR9y1JOeZ65k0d38hWR7DJYmqI7+apIQYxry+DJIzz5qkh2GSxPEZ68b09TuqrotHVRBuZpVSS7DJanCE/etzzl/WmewZNHePJVkUKk8+OnrVgGwpOvimSXwfIU4clXRQqRk7Nn8OQRnnxVJLsMlqcIT74qUoh8LrBn8OQRnnxVJLsMlqcIT74qUoj0u3XT1kUZmKdVkewyWJ4iPPn2oZ8orNvXM3fy6E6+IpJZBMtSZCdfDcn46NO0FctAdvLiumWwLEV28o2dolFvYOzkkZ18YyezDJalyE6+sRP/Hty0dVEGZmljJ7MMlqXITl5altJ1n6atizIwSxs7mWWwLEV38s2dIl0+atq6KAPTVEq3DJan6E6+KpLRUemZO3l0J9/cKRaeHsydPLqTb+6UOAt45k4e3ck3d+LfoJ22LsrANK2IFPhnaKetizIwTasihWQ8xBg8eYQn3+CJD5fzzJ08upOvihT492ynrYsyMEvbZKcUeVWdyZNHefKx2L3pnsGTR3jyba5TMqrZDJ48wpNv8MQ/jjttXZSBWdrgKRk3HIMnj/DkGzzxT+ROWxdlYJa21e/UqL4wefIoTz7F7m/KshTpybfZTvxju9PWRRmYpkm7vylLU8QnXyUp8G/2TlsXZWCaVkmyf1OWp4hPvkpS0EDrDcyePNqT1+7DlOGTR3zylZKCGnc+0yeP+uS1fU/DaIUxfvLIT75akvUQY/rkUZ+8tpXk6SJI09ZFGZil2rLUeF0zfvLIT75iUjh9loFdWZakyE9eW5IW/ixl/uTRn3zFpJAPPAyWo8hPvlpS4F9knbZiGchPvlqSmRyMnzzyk6+WZHxketq6KAOTtGKSd0p/DsZPHvnJt0XzrDcc4yeP/ORz7HQkMX7yyE++rZzHPzI7bV2UgTnaFs+zHh0MoDwClM+dYfqeAZRHgPJtBb3MH4LMnzz6k29r6GWjK4oBlEeA8m0ZvWw0WhhAeQQoXzUpZKPBwQDKI0D5tpheNp4+DKA8ApSvmhSy8Y5kAOURoHxbUi8b9Q4GUB4ByrdV9crhJrrbkDDTGUB5BCjfFtYrjn2fZtq6KAOztK2tV+jILs/8yaM/+ba6XjHa1syfPPpTaOvrFdpNEBg/BeSncGgLl/EsDYyfAvJTaOvrFZ6lgfFTQH4KbX29Qp+kgelTQH0KbXm9wvsHA9OngPoU2vJ6fGXqaeuijIhlnDJODrwpGZg+BdSn0PTJyI7A9CmgPoVKSV55MzAwfQqoT6Hpk5keJEsD6lNo6+vxYZCB4VNAfArT8nr8vg8MnwLiU3C+c98Hhk8B8Sk0fOL3fWD4FBCfQsMnI9GZPQW0p9C+bmQlOrOngPYUXEtSXgsLDJ8C4lNo+GReFZakiE+h4ZN5VViSIj6Fhk/WVWE5ivYUmj1Z9xuzp4D2FJo9GU9jRk8B6Sk0erJuN0ZPAekpVEeSA+9KD4yeAtJT8L0kZfIUUJ6C7yYpk6eA8hR8S1Ju8IHJU0B5Cr73ug9MngLKU6iMJAc+pCkweQooT6HJk3WzMHkKKE+hMpIc+FzawOQpoDyFJk/W78HkKaA8hcpIcuBdN4HJU0B5CiH0flMmTwHlKTR5sn5TJk8B5SlURhK+YPe0dVEG5mmb8uRoiyMweAoIT6Eqkv2TsjRFeAqhm6ZMngLKUwjdNGX0FJCegrQ05fMvAqOngPQUqiOZfwujp4D0FBo9WX8Lo6eA9BSkpalRIWT0FJCeQqMn65Zj9BSQnkJbac9IMSZPAeUpNHkyHuoMngLCUxDtXhWWpQhPocGTeVVYliI8hapI4owqNoOngPAU2oQn66oweQooTyF2s5TJU0B5CrGbpUyeAspTqIwkfMH8aeuiDMzSykjieA9QYPIUUJ5CjN3fg6UpylOIvTZ+YPQUkJ5CdSThq+9PWxdlYJ7G7tOU0VNAegqx+zRl9hTQnkKFJHG8Mz0wewpoT2FaaI+vXBGYPQW0p5B87/dg9hTQnkKzJ+v3YPYU0J5CanlqVIKYPQW0p5C6ecrsKaA9hdTNU2ZPAe0ppJanXBcCs6eA9hRSN0+ZPQW0p5C6ecrsKaA9BW15alSkGD4FxKeg3copw6eA+BS0Wzll+BQQn4J2K6cMnwLiU9Bu5ZTpU0B9CpWSxPhyRWD6FFCfQqUkcfSr7NPWRRmYp9pt6TN+CshPoVqSGF+/CIyfAvJT0NL9W1ieoj+F5k/W38L8KaA/hYpJ4vmwucD8KaA/hYpJYnxCIzB/CuhPoWqShBs53B7wF2X8FJCfQrUkMT6gERg/BeSn0PjJumuZPwX0p9D8yeg8YfwUkJ9C4yerG5rxU0B+CrklKYefwPwpoD+FqklirHgVGEAFBKhQupVTBlABASoU1/tbGEAFBKhQWpIaLygGUAEBKjSAMv8WlqYIUKEBlJEezJ8C+lMosdcvxvwpoD+Fikn2T8rSFP0pVEwSb7wnmT8F9KdQNcl8DjKACghQoXTf+QygAgKUVE4Sz99PwgRKUKCkcpL1twgTKEGBkkNLU95KFyZQggIlh9CNg6SpIEHJQTrvBWEEJUhQUj3Jei8IIyhBgpJGUMbSWcIISpCg5KDd34PkqSBBSfUkMdatEUZQggQljaD4hB9hAiUoUNLmP8UbSbeCIwCFCZSgQEnlJDGmcgkTKEGBkspJEvi7VphACQqUuPbG561BYQQlSFBSQUkCf0EJMyhBg5I2/4l/xXjauigDs7QZ1I2425gLlsByFAVKKielw6mIkhZBsBRFgJKqSafpl2RCvTB/EvQnqZokgVc8hAGUIEBJ1SThnwOetmIZCFBSOUnoO1KYPwn6k1RMEj4WSRg/CfKTNH4y8oLpk6A+SbWk03wjWgRLT9QnqZQkdLScMHsStCepkGRMjBFGT4L0JL6z8I4weRKUJ2nyxEdUCYMnQXgS31kDWpg7CbqTVESKdHUDYeokqE4S2uPTqCgwdRJUJ2nqZKyFJEydBNVJmjoZq/8IUydBdZJKSGKs/iNMnQTVSZo6Gav/CFMnQXWSakhizFAWxk6C7CSNncR4nTB2EmQnaex0emqwigJjJ0F2kmpIIrydIYydBNlJGjsJr1gLYydBdpJpxhOfBS+MnQTZSaoheX9aN+eAq8kKUydBdZJKSN7nG8m3B/VYBktTVCeRlqbGLcfUSVCdpBqS/XOwNEV2krbOnvVzsCxFdpJqSPbPwbIU2UmkZanx9GDsJMhO0tjJqgQydhJkJ6mGJNF4AjF2EmQnid0sZewkyE4S26veeMExdhJkJ4mhc2mZOgmqk1RCMi8tUydBdZKmTqflQEhvrTB1ElQnqYQk0XiYMnUSVCephGRfFpamqE7S1CnytQmEqZOgOkklJIl0USRh6CSITlIFybqyzJwEzUkqIJlXlpmToDlJMyfryjJzEjQnqYAk0Xi1MHMSNCepgGReWWZOguYkzZysK8vMSdCcJKXOlWXkJEhO0pbas64sy1EUJ2lfdzKvLMtRFCdJpXtlWZKiOEnlo9MPyuodDJwEwUkmcKLTDYR5k6A3SfMm3opl2iSoTVLpyGrFMmwSxCapcmS1Ypk1CVqTtJlOxkQUYdYkaE3SrMmqCjJrErQmqXAk0ajGMWsStCbRziwSYdQkSE3SqMl41TNpEpQmqWxkZAZzJkFnkopGZi8LcyZBZ5KKRlZ2MWYSZCapamRlF3MmQWeS5kzRqI0yZxJ0JsndDGXOJOhMUtXIag0zZxJ0JqloZF1Wlp6oTJJz97Ky/ERlkkpG5mVl+YnIJOXQ67diyCSITNKQybrjGTIJIpM0ZIpG1ZwhkyAyyYRM/I5nxiRoTFLFSIwlAIQhkyAySUMmYwkAYcgkiEzSkMlYAkAYMgkik7RJTsZaSsKQSRCZpCFTMqrEDJkEkUmqGEmy4mBpisgUGzIl3l0dGTJFRKbYkCnxSmBkyBQRmWKb5mSsxBYZMkVEptimORkrsUWGTBGRKbZ5TsZKbJEhU0RkilWMrJXYIkOmiMgU25edOMxEZkwRjSm2aU7GSmyRGVNEY4ptmpOxEltkxhTRmGIzJj6BNjJjimhMcVpjjw87igyZIiJTnNbY4yttRYZMEZEput5nHiJDpojIFBsyGUtVRIZMEZEpNmRK/IUfGTJFRKboek2myJApIjLFakY+cE6NjJkiMlOcPu7EZ9JF5kwRnSlWNfKBT1mPDJoiQlNsE50OfImIyKApIjTFBk1GwysyaIoITdE7uw0ZmTRFlKY4SRNtyUYmTRGlKfpeJ2lk1BSRmmKjJmMxlMisKaI1xWZNtD4YmTVFtKZY5cioy0VmTRGtKTZr4lX0yKwpojXFZk3K6z+RYVNEbIqVjkTr6r4uLa4Jy1DUpthmOam/kXIbM2Yo86aI3hQrHvlDooNbIvOmiN4UmzdpOK3kXwSvLPOmiN4Umzep0JXnI/OmiN4UmzdpNMpgOYreFJs3abqJ8TbK4jdlWYreFJs3qfFWYN4U0Zti8yYrP5g3nf3jWxm5mx8sT9GbYsUjOz9YnqI3xeZNVn4wb4roTbFNc7Lyg3lTRG+K4nv5wcApIjjFNs3Jyg8GThHBKTZwUuONz8ApIjhFib38YOAUEZyipF5+MHGKKE6xiZOVH0ycIopTbOJk5gfLUxSn2MTJzA+WpyhOsYmTlR9MnCKKU2wTnaz8YOIUUZxiEyflA8oiE6eI4hTbRKdsvKMYOUUkp9gmOlk5xsgpIjnFRk7Z0c+4RkZOEckpNnLKdNp6ZOIUUZxim+dkpToTp4jiFNu3naxUZ+IUUZxiEycr1Rk5RSSn2OY5WanOzCmiOcXkeqnOzCmiOcVmTjnwRgczp4jmFCsgGb2MkZFTRHKKbZqTdWkZOUUkp5i6b31GThHJKTZyynyESGTmFNGcYpvmlI0eHIZOEdEptmlO5t/C0hTRKTZ0ykYvEEOniOgUtVs7ZeoUUZ2idmunjJ0islPUbu2UwVNEeIrarZ0yeYooT1G7tVNGTxHpKbZpTtmoWTJ6ikhPsdGTddsyeopIT1E7A/Yik6eI8hS1Wzll9BSRnmKjp2xUpJg9RbSn2OzJetkyfYqoT7HNcjJW7IpMnyLqU2yznKyXLeOniPwU2ywn62XL/CmiP8WKSdalZfwUkZ9itSTjs9iR6VNEfYq5WzVl/BSRn2LuVk0ZQEUEqJi7VVMGUBEBKuZu1ZQJVESBiqVbNWUCFVGgYhOoYlQJmUBFFKhYulnKBCqiQMXSzVJGUBEJKpbuS58RVESCitWTzPxgBBWRoGIjKCs/GEFFJKjY5jlZ+cEIKiJBxUZQZn6wPEWCio2grIoDI6iIBJUaQRXOeokRVEKCSo2gjBxLjKASElRq85yM/EiMoBISVKqeZOVHYgSVkKBSm+dk5EdiBJWQoFKb52TkR2IElZCgUpvnZORHYgaV0KBSm+dk5EdiBpXQoFKb52S8bRMzqIQGlaooSeHsmxhCJUSo5DrfzUvMoBIaVGoTnQpX38QMKqFBpQpKrvCxpYkZVEKDShWUXOHWkZhBJTSoVEHJnSowtAyWpmhQqYKSK7xemZhBJTSoVEHJ8dmriRFUQoJK1ZNc4YyVGEElJKhUPcn60mViBJWQoFKb61R4czAxgkpIUKkRlPUkZASVkKBSm+tU+FigxAwqoUGlZlDGGzsxhEqIUKlNd7KeyAyhEiJUqqJkPpEZQiVEqNQQynoiM4ZKyFCpLbdnPZGZQyV0qOS190RmEJUQolKDKKMplxhEJYSo1Jv1lJhDJXSo1HWoxBwqoUOl0Os3TcyhEjpUag5VeK9FYg6V0KHS5FDGLcccKqFDpdCrnCbmUAkdKoVe5TQxh0roUCn0KqeJOVRCh0qhVzlNzKESOlQKvcppYg6V0KFSm/dUeM9HYg6V0KFS+9ITb5cmxlAJGSo1hip8fe/EGCohQ6XGUMbSyYkxVEKGSo2hrKc6Y6iEDJUaQ/Fu9cQUKqFCpTbtqQSq6YkpVEKFStIGmhr1F6ZQCRUqSeuPMupRTKESKlSqpBSNZS8SU6iECpUqKTlx9Jv2iSlUQoVKsVVNjXolU6iECpXah574iLPEECohQqW22h5fCiAxg0poUKnNeiqn0S958YMygkpIUKnNeoo3ore6/ENYjqJApfaRJ/5Vo8QAKiFApcpJxqe3EgOohACV2pSnRIfgJOZPCf0ptU88hVMUDgcTJcZPCfkpxfay5/Vrpk8J9Sm1CU+BpxbDp4T4lNoHng6n30JwjlBi9pTQnlL7vpM3imDZifSUKiR5OaXWQR0WwbIT6SlNs51OUeii7sTkKaE8pfZxJz39nHlxURk8JYSnlDrzRhNzp4TulNpcJzX+EJadyE6pO9cpMXZKyE4ptcEmvA7I1CmhOqVKSE7pEkqJoVNCdEoNnQqfLpUYOiVEp1QFySkfa5sYOiVEp6TNRjkGJoZOCdEpaY/wE0OnhOiUGjpZ1VmGTgnRKVVBMquzDJ0SolNq852s6ixTp4TqlCZ1MqqzTJ0SqlNq6mRVZ5k6JVSnNKmT0dxh6pRQnVJTJ6svjalTQnVKlZDiwWgyMXVKqE4pd5tMTJ0SqlOa1Mmo3jN2SshOqSKS1ZJl7JSQnVI1JKuFwNQpoTqlNunJaiEwdUqoTqmpk9XfwtQpoTqlSZ2Mu5apU0J1SpWQzLuWqVNCdUpNnay7lqlTQnVKkzoZdy1Tp4TqlJo6WXctU6eE6pQmdTLuWqZOCdUplZal3KwTU6eE6pQmdTLuOKZOCdUpNXWyWpBMnRKqUyrdPGXqlFCdUlMnoxXK0CkhOumh1/+kDJ0U0UkPvZEmytBJEZ300BtpogydFNFJD72RJsrQSRGd9NAbaaIMnRTRSRs6GV2LytBJEZ300JlCqsycFM1JD71xe8rMSdGc9NAa9ry/RZk5KZqTHnrD9ZWZk6I5qeumKUMnRXRS101Thk6K6KSum6YMnRTRSV03TRk6KaKTum6aMnRSRCd1vYF7ytBJEZ20ra5n1KOUqZOiOmklpGh8Z0GZOimqk7rcyzGmTorqpK731lemTorqpL731lemTorqpL731lemTorqpL731lemTorqpL731lemTorqpL731lemTorqpJM6GTnG1ElRnXRaaI+PrVCmTorqpG32k/HtCmXqpKhOWgkpGt+MUKZOiuqkTZ2MbzUoYydFdtLQ01Fl7KTIThp6OqqMnRTZSashRccnLCpjJ0V20tAbE6WMnRTZSUOnP1+ZOimqk4ZeU1+ZOimqk4ZeU1+ZOimqk4ZeU1+ZOimqk4ZeU1+ZOimqk4ZeU1+ZOimqk7bZT1ZNirGTIjtpNSSrJsXUSVGdVHojopSpk6I6aXfykzJ1UlQnlWb4fP1WZeykyE5aDSkaXwNRxk6K7KQTO3HuUcZOiuyk1ZAs7lHGTorspJI7hKaMnRTZSashGT3AytRJUZ20feSJK4kydFJEJ42uA3nK1ElRnTT6DuQpYydFdtLYs1Fl7qToTtrcyfxbWJYiPGmMvfcCkydFedLY3vm8X0wZPSnSk8b2zuc9DsrsSdGeNLZ3vtGGYvikiE/a8Mn4rokyfVLUJ62WFL1RB2L8pMhPWjEpGuvGK/MnRX/SqknR84UOlAGUIkBpm/tkfCNBmUApCpRWT4rGJzSUEZQiQWkFpWh8ukKZQSkalFZRisa3GpQhlCJCaSWlaHwjQZlCKSqUVlKyvt+lTKEUFUpTZ0SUMoVSVChtC+4Zn1lQxlCKDKXae+czhVJUKK2kFI2vGyhTKEWFUu3M0FOGUIoIpW3NPePjBsoQShGhtIpSDEbDhSGUIkJpFaVofFZAGUIpIpS2mU/GZwWUIZQiQmkVpWh8VkAZQikilFZRisG4aRlCKSKUVlGKxio6yhBKEaG0ilIMnDuUIZQiQmlDKGO9cmUIpYhQ2lbeM9YrV4ZQigilDaHEqHwwhFJEKG0IJbwRxhBKEaG0rbwn9AumyhBKEaG0ilI0VitXhlCKCKVVlKIY1ReGUIoIpVWUorFauTKEUkQoLW3xUqPBwBBKEaG0ilI0lvhWhlCKCKVVlKLxiQFlCKWIUFra+pBGtZIhlCJCaWkrmBpZyhBKEaG0IVQ0nqYMoRQRSqsoRWMhaGUIpYhQWtpiPEYViCGUIkJpad8lMZ6mDKEUEUorKUVj6WNlCqWoULmSUjSWY81MoTIqVK6kFCN/mmamUBkVKldSisYikZkpVEaFyofQqd5mplAZFSofpFPNzkyhMipUPsROFTkzhcqoULkplPGWy/8/Z3e0HLmtpIv6Xdb1igkCSACZ8wbnGXbscMitsq3tttQjqe3lmZh3P1EAiCJ//slhz5UVBXeqVJUEQXxAgjGUIkPpUk/ucsoYSpGhdDlZvqdMoRQVShspZafwpjKFUlQo7TufnMKbyhRKUaE0hJOuUJlCKSqUNlLKTvFOZQqlqFA6znjitwZlCqWoUNpIKTvFO5UplKJCaTibNlWmUIoKpY2UcpF/Zvu3JR/+FpamqFDaFcq5vShTKEWF0nHME7+9KFMoRYXS0POUd8nKFEpRoTT2POVdsjKFUlQobaSUnfKMyhRKUaE0nt32lSmUokJpI6XslHhUplCKCqWx56nTrTOFUlQobaSUncJ1yhRKUaG0K1R1+g+mUIoKpV2hnKGlMoVSVCjtCuUMC5UplKJCaVcoPtJWhlCKCKX9xKfqdGMMoRQRSlM4GQUpQyhFhNKOUM6fwgxK0aC0gVKuTk/IDErRoDTJ2QCGIZQiQmnf+qRK52+VIZQiQmlHKOXeqgyhFBFKmyjlyh+ilCGUIkJpE6VcnZ6QIZQiQmkTpVydnpAhlCJCqfQ0dXpChlCKCKVycgSEMoRSRChtopSdynfKEEoRobQjFD3KWRlBKRKU9o1PtA6pMoBSBCjtAFXvWmLl8FGwDEV/0u5Peh8OJjuEYAmK/KR915PxESXTJ0V90kZJTkFVZfikiE/aKKkE5w9h2Yn4pI2SSuQhGD4p4pM2SSqJfyPMnhTtSbs9VecOy+xJ0Z40n1TXV0ZPivSkzZGyLrQnZ/KkKE/ai+7xS4S5k6I7aS+5xy8Rpk6K6qRdnZxLhKGTIjppRyfnEmHmpGhO2s3JuUQYOSmSkzY/8i4RJk6K4qSNj7xLhIGTIjhp0yPvEmHepOhN2vDIu0QYNylyk3ZuUmfwx7hJkZu073hyLhGmTYrapF2bnEuEYZMiNmmvtMcvEUZNitSkvc4ev0QYNClCk3Zoci4RBk2K0KQdmpxLhDmTojNpdybnEmHOpOhMWk9OzlHGTIrMpP1oJ+cSYcykyEzazMi7RJgyKSqTNjLyLhGGTIrIpB2Z1HkgYMikiEzaxMi7RJgxKRqT9o1OPL+ZMCkKk/ZtTjy/mS8p+pJ2X3Lym/GSIi9p5yUnv5kuKeqSdl1y8pvhkiIuqZ6cO6bMlhRtSRsUefnNaEmRlrRBkZffjJYUaUkbFHn5zWhJkZa005I6T4mMlhRpSfXk1DFlsqQoS9q3N/H8Zq6k6Epq/qFjylRJUZW0q5KT3wyVFFFJOyo5+c1MSdGUtJuSk9+MlBRJSZsPefnNRElRlLTxkJffDJQUQUmbDnn5zTxJ0ZO04ZCX34yTFDlJOyc5ZXyVcZIiJ2mzIS+/mSYpapL1PU00v41ZkqElWS+jR/PbmCQZSpJ1SeL5bQySDCHJOiTx/DbmSIaOZN2ReH4bYyRDRrJmQk5+G1MkQ0WyRkJOfhtDJENEsiZCTn4bMyRDQ7ImQk5+GzMkQ0OybkhOiWljhmRoSNYNySkPbcyQDA3JuiE5pYyNGZKhIVk3JKf+rzFDMjQkCz1D+VO/MUMyNCTrhuRUVjVmSIaGZA2EslM505ghGRqSdUNyKiMaMyRDQ7JuSHwi2RghGRKSdUJy1NYYIRkSknVCMi7QxgjJkJCsE9K9BB+LwQjJkJCsE5JxqjBGSIaEZJ2QjB8faYyQDAnJOiEZ5w5jhGRISNYJyZzLhRGSISFZPFnfZEyQDAXJuiA59a+MCZKhIFnjoLI4VxwTJENBstjnPp0rjgmSoSDZWfU8Y4JkKEjWBcnLdCZIhoJkXZC87GCCZChI1gXJy3RGSIaEZJ2QvCuOEZIhIVknJO9qYYRkSEiW+g2frz0xRkiGhGSpnzXGH3SMEZIhIVnqacoHk8YIyZCQLPU0dW7YjJAMCcmaBxWnzIcxQjIkJJM+D+rcsBkhGRKSNRAqTvEDY4ZkaEgmfbLJ6T6YIRkakkmfbXK6D6ZIhopk0p/one6DOZKhI5n0pybnhs0gyRCSTPrI1MlTJkmGkmTNhYqzHdMYJRlSksnJQ70xSjKkJBuUlOnNhVGSISVZp6TATxc1ZkmGlmTdkoLTmzJMMsQkazJUAodwY5hkiEmWe5byqszGNMlQk6xvZAqVfqRMkww1yXKfd3IuFuZJhp5kuT/bOxcLEyVDUbLcn5+ci4WRkiEpWQMiL8MYKRmSkmU7zTCWpWhK1k3JyzCGSoaoZI2InFpFxlDJEJWsnCYpUyVDVbJymqSMlQxZyUqfuXeGQIyVDFnJSs9SpwtjrmToSlZ6ljq3WgZLhrBkpWepc6tltGRIS9akqDi7qYzhkiEuWaOiEr3vlqUp6pLV7vLOd8t4yZCXrHaYX/jlwnzJ0Jes+5KzgcgYMBkCk53tYzIGTIbAZB2YnD1IxoTJUJisC5PTATFhMhQmq30S37nhM2EyFCbr25ic1abGiMmQmKzq2VXLkMkQmayZkZ8dLEuRmayhUXG2ZBlzJkNnsqZG7tXCoMkQmkzj2dXCpMlQmqxLk/d5MGoypCbr1ORsLzNmTYbWZN2anO1lxrDJEJus0VFIge5sN6ZNhtpk2if0nZ6QaZOhNlnfyORc+UybDLXJtKep89zCvMnQm8x6mjrPLUycDMXJmh8VZ5ebMXIyJCdrgFTE6UyZORmakzVB8g7IMIZOhuhkHZ3E6U2ZOhmqk3V1EqcrZOxkyE7W2cnZK2fMnQzdyZoihSj3UjSK9YiNwZMhPFlTpCLOZcvgyRCerDFSkULvLgyeDOApLs2RUqysEs1o3cfYvrjGaCtFo7LVt6P1ECNgjJ6m7MFlNB5CRAzROlOhC4lH6yFGwhg9S82JcczS7YtrjJaleXFiHLN0++Iao2VpDk6MY5ZuX1xjtCxV5yM9Jun2xTVES9IcnW/2mKTbF9cYLUlzcjLsmKXbF0eMxknlvmSexSACtX1xjRHaRausuM9oPcTALG2cVHLmnwcRqO2La4yWprk4MViaBkzTxkkl03rTo/UQA9M09DR1rloiUNsX1xgnm+1G6yEGpmnzJP8zZXkaME+Dnn6mLE8D5mmw08+U5WnAPI3L2WdKCGr74hqj3fT5hs7ReoiBedo8qRS6M2y0HmJgnjZPKnzn4Gg9xMA8bZ5U+K6/0XqIgXnaQKmUxHOMGNT2xTVG604LJcrReoiBedoNqmQnBsvTiHnaDarQyaTReoiBedpEqRTnmiMItX1xxGii5PaFBKG2L64xwskdmxjU9sU1RHTHL6PxEAKzNKWzuwshqO2Laww5u7sQgtq+uMbIZ+MoQlDbF9cY5WzgQAhq++Iao54NgghBbV9cY+jZeI4Q1PbFNYadDWAIQW1fHDE6QXmjD0JQ2xfXGOHs7kIIavviGiOe3V0IQW1fXGOks7sLIajti2sMObu7EILavrjGyGcDXEJQ2xfXGOVkYEkEavviGqJ3pvQJe7QeYmCa9s1MfIvsaD3EwDQVH/RH4yEEZml2l+6NNoyQMUd7JT0+OzdaDzEwRztA8b2+o/UQA3M0+3Omo/EQAlO0aVIwJUoxGg8hMEP93Uyj7RAB87PrE9+zPFoPMTBB88mM6Wg9xMAE7fpUI79TE37avrjGaP0o36U7Wg8xMEN7FT3neyX6tH1xDRH8L4Xg0/bFNUJPUDrvMloPMTBBy1mCEnvavriGkJM/hOVnwfzs8sT3+I7WQwzM0C5PfI/vaD3EwAzt9fN4+arReoiBGdrlie8THq2HGJihXZ74Jt/ReoiBGdrl6V4vm9xRCDxtX1xD+PXzRuMhBKZoQyQnN4g6bV9cI6SzXoOw0/bFNYac9RqEnbYvrjFajip1hdF6iIE52t2Jb/4brYcYmKMnO5tG4yEEpmjt60wWVl96tB5iYIo2Q/LuSkSdti+OEI2QEt2DOBoxhGKGdnRS54sl6LR9cY3RelGlCDdaDzEwSTs6KV21N1oPMTBJOzopXT04Wg8xMEk7OnmPbgSdti+uMUo7+VKdz5QlqWKSdnTyHv8IOm1fXGPo2QM1Uafti2uM1pHyZfaj9RAD07SrkzqTA0Sdti+uMXrhB7bmdzQeQmCadnTiK/VH6yEGpqn1NHWG9wSdti+uMVqa8pX6o/UQA9O0oxNfqT9aDzEwTTs6ealO0Gn74hrjNE0JOm1fXGOcpilBp+2La4yWpnzXwWg9xIA0DY2QivFRbWDqFFCdQj/CiZ7SOhoPIQKGiG4V9NF4CBExRHLLvI3GQ4iEIcQ9vXc0HkIIhsju6b2j8RAiY4jWkxbnXZAMDQhOoe94Mj7ED0ycAopTaHwU7idjHG/VgYFTQHAKTY9CzfRCCQycAoJTaHrkHAo6WjEGglPo4MSPCxithxiYoU2P+Pmmo/EQAjO073iihwCPxkMIzNBmR/wQ4NF4CIEZ2ujIOfdgtB5iYIo2OuLnHozGQwhM0SZHzrG1o/UQA1O0yRE/tnY0HkJgigbzz4sdrYcYmKINjvhRwqMRQyA1heZGXs/DpCmgNIXGRl7Pw6ApIDSFpkb83PDReAiBCdrQiJ8bPhoPITBBmxl59wKmTAGVKTQy8u5IDJkCIlNoYuT1wsyYAhpTaGDEjx4fjYcQmJ7Ni7ybGhOmgMIUGhfxQ79HI4ZAYAopuId+j8ZDCMzOxkX80O/ReAiB2dm0iB/6PRoPITA7Gxbx47ZH4yEEZmff4WR80ikwXgrIS6HzkvHni8B4KSAvhc5LxieMAuOlgLwUepE8tpB9tB0iYH52XOI7G0frIQYmaMclvi1xtGIMxKVwck7TaDyEwAxtUOQsrRuthxiYog2KKt8dOVoPMTBH+zlNTifMaCkgLQU560GZLAWUpSBnPSiTpYCyFM4OaRqthxiYof2QJme8w2ApICyFfkaTN95hshRQlkKDIq/3YrQUkJZCc6K6BDr4Y7IUUJZCY6K60OmAwGApICyF3BOUbTIfjYcQmJ+NibxbEoOlgLAUmhPVhS8CCYyWAtJSyOVkxMRkKaAshcZE3oiJwVJAWApNiSrfIzpaDzEwQZsSVb5HdLQeYmCCNiaqfI/oaMUYKEuh9Ax1+nJmSwFtKTQo8jovRksBaSk0KPI6L0ZLAWkpFDnpvJgtBbSl0KDI7byYLQW0pdCgyOu8GC0FpKXQnMjtvBgtBaSl0JzI67yYLAWUpVDspPNisBQQlkJdTjovBksBYSnUcNJ5MVgKCEuhOZHXeTFZCihLoaazzovJUkBZCvVsoonBUkBYCvVsoom5UkBXCg2J3KkV5koBXSk0JfKmRZgrBXSl0E9lcqZFGCsFZKXQkMibj2CsFJCVQkMidz6CuVJAVwoNibz5CMZKAVkpaDybj2CsFJCVQjMibz6CqVJAVQp69hjPUCkgKoUmRN4DNDOlgKYUGhB5D9CMlAKSUmg+5D39MlEKKEqhF81znn4ZKAUEpdB0yHt0ZZ4U0JNCwyHv0ZVxUkBOCtb7T+dBi3lSQE8KdvqUxDwpoCeFvomp8lsB46SAnBSaDYV7sSTy6Mo0KaAmhUZDIVGKDgyTAmJSaDLkXWjMkgJaUugbmCpn5MAsKaAlhW5JlTNyYJYU0JKCnU7VM0sKaEmxwVCotIDMaIUYES0pNhny+r/IMCkiJsWl96GcoiPTpIiaFJeeo3RP6Wg9xEgYoyWp8rX/kXlSRE+KTYcchYnMkyJ6Ulz6ItFI79GRgVJEUIpjBxNP08hAKSIoxQFKPE0jE6WIohS7KCnbxT0aDyEwS8PJGrzIPCmiJ8XuSVro0t3IPCmiJ8VeQs97GyxH0ZNiOBHPyDwpoifFpkNODxaZJ0X0pNhwyNmCOVoPMTBFmw6FmOnTVmSgFBGUYtMh57kxMk+K6EmxexJ/bozMkyJ6UgzmPwBHxkkROSnGviWk0KVrkXlSRE+KsW+xq7TbYJ4U0ZNijCcrFCIDpYigFGPfrmz8bbAMRVCKjYfCfWM+C8EyFEEpxuzvhx+thxiYobHvqY/Ol8IyFEkpNiAKKTkxWIqiKcUmRCHxdY2RoVJEVIqNiELK/CNlOYqoFMe2JT4MjEyVIqpSbEYUEuWHyFQpoirFZkQh8TRnqhRRlWIzopB4ijJViqhKMfXBKE9RpkoRVSn2o5f4VFFkqBQRlWITIm/GKjJUiohKMfUp+8j/EpagaEqxEVEQYQeBj9ZDDEzQdLIXJDJUiohKsQlRkMyvE4ZKEVEpSl82UvidjalSRFWKXZWkOjFYiqIqxUZEQdSJwXIUVSlKz1FzYrAkRVaKDYlCXpwYLEvRlWLfsZSDE4NlKcJS7LCUoxODpSnCUmxMFHJyYrA0RVmKjYlCdkY+TJYiylJsThRy5jEYLUWkpdigKGQnT5ktRbSl2KQoZCdPGS5FxKXYqChkJ0+ZLkXUpdi3LWUnTxkvReSl2KwoFCdPGS9F5KXYsKjyQpWj9RAD87RpUeWFKkfrIQbmaQcmXqhytB5iYJ52YArOwxsDpojAFJsWBb5ZMTJfiuhLsWGRN0BnvBSRl2LDohrEeRssS9GXYtMib5DPfCmiL8VyMjsamS9F9KXYD2Nynt0YL0XkpVhOBDQyXorIS7GcCGhkuhRRl2KzImeaNzJdiqhLsetS4IgaGS9F5KXYeSlwRI3MlyL6Uuy+xItDjtZDDMzQkxOZRuMhBCZo0yLhm1Mi86WIvhRHwTx2XMFoPITABG1adL8vsWcm5ksRfSnW3odyUI7MlyL6Uqy9D+Vz1pEBU0Rgih2Y6EEWo/EQAlO0cVHlpVhH6yEGpmjjospLsY5WjIHCFLswOc8JTJgiClNsXFR5NdfReoiBKXomTJEJU0Rhis2LauQbDyIjpojEFBsYVV56dLQeYmCS6unsKEOmiMgUtZ5M0jJkiohMsSOTo8qRKVNEZYraN9clfndkzBSRmWJDI+++xJgpIjPFzky8mOtoPcTAJLWepE53zpgpIjPFzkzeN8ucKaIzxe5MzjfLnCmiM8WmRu43y6ApIjTFxkbuN8ukKaI0xcZG7jfLkhShKVqXUFrdf7QeYmCSNjWSGv8p9m9Z8d7EoCkiNKVeKs8ZBiYGTQmhKS09S/mKqcSgKSE0pbFriQNPYtCUEJpSr5XnlFZJDJoSQlNael/Kb7SJQVNCaEpL70s5eCUmTQmlKTU2qsn7PEiaJpSm1Nio8pLDo/UQo2IMv/DoaDyEUAzR5/E58SQmTQmlKTU3qrxs8WjFGEhNqblR5TWHR+shBqZp6GnKR5SJWVNCa0rhZFVeYtaU0JpSOFk4mpg1JbSmFE7WlCRGTQmpKYWeo3zMkBg1JaSmNKjJ+0BZjqI1paAnbJYYNiXEpjQK5Tl9B9OmhNqU4nJ23TNtSqhNKYaz655xU0JuSvFkZV5i2pRQm1KzIy87mDYl1KbU7KjyEs6j9RADk7TZkXeHS4ybEnJTij1L+fgnMW5KyE2p72AKvDJAYtyUkJtSs6PKy0CP1kMMzNKGRzXREt+j9RADszQtbvX20YghkJtSr5LHj48YrYcYmKS9TB6vjpKYNyX0ptT0iJc2SYybEnJT6uc0OaVNEvOmhN6U+i4mp7RJYuCUEJxS6jnKH80TA6eE4JQaH1VeV3u0HmJgjjY+qk75ncTEKaE4pXSyzy4xcUooTqlvY3LquSUmTgnFKTU+qrw092g9xMAcbXxUhc/2JiZOCcUp9X1MvDT3aD3EwDRtfFTF6X6YOCUUp9T4qApfUZaYOCUUp9T4qAqf1UtMnBKKU5Kepk4XxsQpoTgl6Wnq3GiZOCUUp9TPaXJqSiYmTgnFKfWDmpx6kImJU0JxSv2gJqeKRmLilFCcUq+T5xRISUycEopT6tuZsjPwYOKUUJxS46Oane6DiVNCcUr5rDJuYuKUUJxSPquMm5g4JRSnlM8q4yYmTgnFKeWzyriJiVNCcUr5rDJuYuKUUJxS8yPHaRITp4TilLo4ZefjYOSUkJxSOalMkpg4JRSn1Hc0VefOwMgpITml0rOUT70kZk4JzSk1QXIHYgydEqJTKuXEEhNTp4TqlLo6iZMdjJ0SslPq9fL4QZOj9RADs7S7U6b7iRJjp4TslDo7ZeeiZeyUkJ1SZ6d7lrL0YOyUkJ1SQ6SanYuWuVNCd0o1nZSqSwyeEsJTqj1NnZstk6eE8pSaIzm6mpg8JZSn1OUpO5nO5CmhPKW+s8lZ/5iYPCWUp9RL5inPMCZPCeUpNUZK6vRhTJ4SylMaJfOcLGXylFCeUnMk7+GayVNCeUq9ZJ5TVTsxeUooT6k5krMOITF5SihPqcuTN3vM5CmhPKW+uckpzJ2YPCWUp9Qr5jmFyhOTp4TylJoj1ewMKhk9JaSnpHryUMvkKaE8pV4wz6ntnZg8JZSn1AvmObW9E6OnhPSU+jFNTm3vxOgpIT2lXjHPqe2dGD0lpKfUHKkWJ9MZPSWkp2Qne0QTo6eE9JTsZI9oYvKUUJ5SY6TqnD2RmDwllKfU6+V5NxZGTwnpKTVHqsW53zN6SkhPqTlSLc5cOqOnhPQkvV4eP2tBmDwJypMsJ+ughMGTIDxJUyRnbCzMnQTdSfoGJ+f2JsydBN1Jujs5t1lh7iToTrKcHdcgzJ0E3UmWs6KOwtxJ0J1kOan3JIydBNlJlpN6T8LYSZCdZDmb0RfGToLsJOOIJt4ZC2MnQXaSEE46Y2HsJMhOMo5o4p2xMHYSZCcZRzTxzliYOwm6kzRF8jpjYfAkCE8Szg5rECZPgvIkXZ6cCTFh8iQoTxLqyYSYMHkSlCcJejJBKEyeBOVJwsl8qTB4EoQn6VXz+P1NmDsJupP0A5qcKSRh7iToThLPBqXC4EkQnqQf0MRHUMLgSRCepMOTM5ATBk+C8CT9fCZndlAYPAnCk/R9Tk6eM3cSdCeJ9eRZVJg7CbqTdHdynomFuZOgO0k8ebwXxk6C7CSdnZz5NGHuJOhO0t3JmU8T5k6C7iTdnZz5RWHwJAhP0s9ncuYXhdGTID1JcyTvsUcYPQnSkzRH8h6/hNGTID1JpyeHfITRkyA9SacnZ6pCGD0J0pM0R3KmKoTJk6A8SbKTGSRh9CRITyJnU/rC6EmQnqTTkzOVLoyeBOlJOj05U+nC6EmQnmTQk/O1MHoSpCcZ9OSMSxk9CdKTDHpyOmRGT4L0JFJOpsGF0ZMgPUmnJ+9yYfQkSE/S6alwzhNGT4L0JM2R3HE6oydBepLmSJ5cC6MnQXqSXkev8BUawuhJkJ6kF9IrfHWFMHoSpCfp9FT4yghh9CRIT9LpyTl7Sxg9CdKT9Fp6ztlbwuhJkJ6kb3ZyjqwSRk+C9CR9s5Nz1JMwehKkJ8kn6/aEyZOgPEnf61S5oAuTJ0F5kl5MzznpSRg9CdKT9GJ6ziFLwuhJkJ6knJSIEEZPgvQkzZGqc0SSMHoSpCcpcrINVhg9CdKTjHJ6fHuhMHoSpCcp5WQbrDB6EqQnKfVkG6wwehKkJyl6sg1WGD0J0pMUO9kGK8yeBO1J6nKyDVaYPQnak9Rwsg1WmD0J2pPUeLINVpg9CdqT1HSyDVaYPQnak1Q52QYrzJ4E7UlqPtkGKwyfBPFJajnZBisMnwTxSTo+OdtgheGTID5JoyRvG6wwfRLUJ+n7npzj0YTpk6A+Sd/35BxtJkyfBPVJ9KS+szB9EtQn6fueqjMoZPokqE+ivTt1braMnwT5STo/qXOzZfwkyE/SNz45J4IJ4ydBfpJmSe5HyrIU9Um6PrkfKctS1CdpllTVuWEzfhLkJ2mWVNW5YTN+EuQnaZbk7RYSxk+C/CR955M6N33GT4L8JH3nkzp3bMZPgvwknZ+c86uE8ZMgP4n1NHWuWuZPgv4kTZOiOr0pAyhBgJIOUM4BVsIAShCgpGlSdQ6wEgZQggAlHaCcA6yEAZQgQEkHKOcAK2EAJQhQuXFSdQ59ykygMgpU7nufnEOfMiOojASVGyhV54ihzAwqo0HlBkrVOUshM4PKaFC5G5RzlkJmBpXRoHLf++ScpZCZQWU0qNz3PjknIWRmUBkNKve9T85JCJkhVEaEyr3KHj9hMTOEyohQuYmSOqcYZIZQGREqN1HShad6ZgiVEaFyEyVdnFRnCJURoXITJV2cVGcIlRGhcuhrTgotaZQZQmVEqNxESRfncmEIlRGhchMl546dmUFlNKjcQEmdevWZGVRGg8oNlNSpV5+ZQWU0qNxASZ169ZkZVEaDyqGnqXPFMYTKiFA59jR1rjimUBkVKjdSUqdUTGYKlVGhciMldUrFZKZQGRUqN1MSZ4I/M4bKyFC5mZI65WYyY6iMDJWbKWlwLjnGUBkZKjdU0uBcLsyhMjpUbqikTlmRzBwqo0PlhkrqlBXJzKEyOlRuqqTByXUGURkhKjdVUqeURmYQlRGicup56uQ6g6iMEJWbKqlTByMziMoIUbmpkjp1MDKDqIwQlZsqqVPEIjOIyghRuamSOhUoMoOojBCVmyqpU4EiM4jKCFG5qZI69RIyg6iMEJUbK6lTLyEzidq8uMZoeersiM9MojJKVG6spM5O9MwkKqNE5cZKGp08ZRKVUaJyYyVNTp4yicooUbmxkjo70TOTqIwSlRsrqbMFPDOJyihRubGSOlvAM5OojBKVGyups+s5M4nKKFG5sZI6e2Mzk6iMEpUbK6mzrzUzicooUbmxkjp7UjOTqIwSlRsraXLylElURonKjZXU2f+YmURllKjcWEmd/Y+ZSVRGicqNlVScPGUSlVGicmMldTYeZiZRGSUqN1ZScfKUSVRGicr5ZFIqM4jKCFG5qZI6exczg6iMEJUbK6k4qc4kKqNE5cZKKk6qM4nKKFG5sZKKk+pMojJKVG6spOKkOpOojBKV+7FO/AihzCQqo0Tl0rPUuVqYRGWUqNxYSbNztTCJyihRubGSZudqYRKVUaJyYyXNztXCJCqjROXGSpqdq4VJVEaJyo2VNDupziQqo0TlxkqanVRnEpVRonJjJc1OqjOJyihRubGSZifVmURllKhc48mBRplJVEaJyl2inDLKmUlURonKXaL4oUiZQVRGiMq9/B4/FCkzh8roULmeHD+WGUNlZKhcz44fy4yhMjJUbqbknM2UmUJlVKg8jnfiZzNlplAZFSr385342UyZIVRGhMp6djZJZgqVUaFyIyWncl5mCJURoXIvvscXzmZmUBkNKjdQcjaGZEZQGQkqN09yDjrITKAyClTuxzvx1XOZCVRGgcp6cuhDZgCVEaCynhz6kJk/ZfSn3DDJ2TuQGT9l5Kfcj3fiewcy06eM+pQbJTlrsjPDp4z4lJskOadlZWZPGe0pN0hyTsvKjJ4y0lNujuSNNpg8ZZSnPOSJnpaVGTxlhKfcFMk5cCszd8roTtn6Pd4ZejF3yuhO2fo93hk3MXfK6E6519y716TNevhLWHqiOpWuTk5p3MLUqaA6lUZIWvjorTB1KqhOpRGSOtvRClOngupU+s4nfjpUYehUEJ3KcnKDL8ycCppTaYDk3I8KI6eC5FSaH2nhw9DCyKkgOZXmR07vV5g4FRSnspzc4AsTp4LiVHq1PT5UKQycCoJTaXrkdBqFeVNBbyoNj5z7UWHcVJCbSrMjpxsvTJsKalNpdOT0O4VhU0FsKk2OnN6vMGsqaE0lnNzeC7OmgtZUGhw5N5PCqKkgNZWzM50Kk6aC0lSC+vejwqCpIDSVs81OhTlTQWcqZ5udCmOmgsxUYvDHbIUpU0FlKr3GHh+nFIZMBZGpxJPKz4UZU0FjKt2YnG24hRlTQWMq3ZgKXxVfmDEVNKbSwEjoE1ZhwlRQmErjovt+KxaBZSf6UmlYJHybU2G8VJCXSrMi4YVKC9OlgrpUGhXd9zSzEAyXCuJS6bjkLMsvDJcK4lLpuOQsyy8MlwriUum45CzLLwyXCuJS6bjkLMsvDJcK4lJpUsTL/BVGSwVpqTQn8hZPFUZLBWmpNCfybs1MlgrKUulbnJxn78JkqaAslcZE3vF+hclSQVkqXZacfQ6FyVJBWSqNiZwvhblSQVcqDYncL4W5UkFXKg2JvC+FsVJBVirNiNwvhbFSQVYq/TQn70thrFSQlUpnJWfjSGGsVJCVSjMir/NhqlRQlUpXJWfvSWGqVFCVSiMiLzdYhqIplQZEknhNzcJMqaAplX6Uk/elMFMqaEqlm5KzBaYwUypoSqWbknMscWGmVNCUSjclZwtMYaZU0JRKPulGmSgVFKWST7tRRkoFSak0HxJnX2NhpFSQlEo+e0piolRQlEo+mwYtTJQKilJpPCT3TSNkLVtholRQlEo5TVImSgVFqZSepM54gZFSQVIqxS+lWxgoFQSl0g9y8pKDgVJBUCpNhyQ7Q1EGSgVBqTQdkkxP5CzMkwp6Uilnt3rGSQU5qZTTWz3jpIKcVJoN+fnFchQ5qfSNTV5+MU4qyEmlc5KzcaUwTirISaXZkJNfDJMKYlJpMuTmF8OkgphUGg25+cU0qaAmlZpP8otpUkFNKl2TnPximlRQk0rXJC+/mCYV1KRS9Sy/GCcV5KRST4ejjJMKclJpOKTOpqbCPKmgJ5WGQ97DH+OkgpxUGg55D3+MkwpyUtF+q+ebeArzpIKeVLTf6p3BOQOlgqBUGg+psy+qMFEqKEqlH+bkfbOMlAqSUmlApM7eqsJMqaAplSZE6mxqKgyVCqJSaUSkzqamwlSpoCqVZkTqbEgqjJUKslJpSKTOhqTCXKmgK5WmROpsSCoMlgrCUmlMpM6GpMJkqaAsleZE6mwmKoyWCtJSsZ6nTq4zWypoS6VJkTqbiQrDpYK4VDouOZuJCsOlgrhU7MQ+C7OlgrZUzE7uCwyXCuJSbVLkzP5XZksVbak2KHJm/yujpYq0VHtNPT77X5ksVZSl2pzImf2vTJYqylJtTuTM/lcmSxVlqS4n9lmZLFWUpdqYyJn9rwyWKsJS7fX0+Ox/ZbBUEZZqYyJn9r8yWKoIS3Uxf/a/MliqCEs1nJyIVxksVYSl2pjImf2vDJYqwlLtZzjx2f/KYKkiLNVwcjxOZbBUEZZqP8KJz/5XBksVYak2JlJn/2JlslRRlmpzIudUvspkqaIs1eZEoWZazqYyWqpIS7VBkddvMVqqSEs1nD3SV2ZLFW2pxpNC+ZXZUkVbqk2KnE68MluqaEs1niwRrcyWKtpSbVLk9cDMliraUm1Q5PXAjJYq0lJtTuT1wEyWKspSjeWkB2a0VJGWaqwnPTCzpYq2VJsUeT0ws6WKtlSbFHk9MLOlirZUmxR5PTCzpYq2VNPJwqbKaKkiLdXmRF4PzGSpoizVxkReD8xgqSIs1V4+z+mBmStVdKXamMjrgRksVYSl2vcsObu/K4OlirBUGxPxqZHKXKmiK9WGRPl+zPURTytjpYqsVPuGJeMbHitjpYqsVDsrOVvQK2OliqxU+4YlZwt6ZbBUEZZq37DkbEGvDJYqwlKVsw2glclSRVmqXZbU6BrXymSpoizVvmHJ2QpfmSxVlKXaZcnM+VtYkqIs1eZE5uxjr4yWKtJSbU5kzj72ymipIi3VJkXm7GOvDJcq4lJtUmTOPvbKcKkiLtUmRebsQa8MlyriUm1SFCq/bJktVbSl2ivnORUNK7OlirZUGxSZs4+9MluqaEu1UZE5+9gr06WKulQbFdnCKzxWpksVdak2Ksr38vjsI2VZirhUc89S54pjulRRl2qjImfrVWW4VBGXaulJymtmVoZLFXGpNinyRrPMliraUu27lZzRLKOlirRUmxR5Q3tmSxVtqZaTVcyV0VJFWqrl5CScymSpoizV5kTegJjJUkVZql2WnAExk6WKslS7LDkDYgZLFWGpNiXyBsTMlSq6Um1I5A2IGStVZKVaT85uqEyVKqpSbUjkDYgZK1VkpdqMyBsQM1WqqEq1npwuUhkqVUSlWk9OF6kMlSqiUm1E5A2IGSpVRKXahMgbEDNTqmhKtQGROQU8KjOliqZUGxCZU8CjMlOqaEq1AZE5xTcqM6WKplSbEJlTfKMyVKqISrURkTnFNypTpYqqVBsRmVN8ozJVqqhKtRGROcU3KlOliqpUGxE5i/0rQ6WKqFT1RD4rM6WKplT1TD4rM6WKplT7PiW+YaAyUqpISrX5kHdvZaJUUZSqnc3VM1CqCErVzubqmSdV9KRqZ3P1jJMqclK1s7l6pkkVNana2Vw9w6SKmFTP9ilVZkkVLana2Vw9o6SKlFTtbK6eSVJFSap2NlfPJKmiJFU7m6tnklRRknQ5matXJkmKkqTLyVy9MklSlCRdTubqlUmSoiTpcjJXr0ySFCVJl5O5emWSpChJ2lzInMpFyihJkZJ0bFLiT3vKLEnRknQ5WSKqzJIULUmXfo/nT0jKMEkRk3Tp93j+eKNMkxQ1SZsNee6gjJMUOUnDyWy9Mk5S5CTt+5ScG5IyT1L0JG06ZE4tKGWgpAhK2njInFpQykRJUZS0l8Xjz8/KQEkRlLTxkHNjVAZKiqCk4WT9nTJPUvQkPfMkZZ6k6EnaPYnfW5VxkiInaeckfm9VxkmKnKSdk/i9VRknKXKSdk7i91ZlnKTISdo5id9blXGSIidp5yR+b1XGSYqcpA2HnHurMk5S5CRtOOTcW5VxkiInacMh596qjJMUOUk7Jzn3VsZJipyknZOceyvjJEVO0s5Jzr2VcZIiJ2nnJOfeyjhJkZM0nVRxUMZJipykqfee/GFPmScpepKm3nvyhz1loKQIStp4yOt0GCgpgpKms96TeZKiJ+nZRiVloKQISto3KjldHwMlRVDSpkNe18c8SdGTVE7qOCjjJEVO0mZDXtfHNElRk3RsU3JCsPxETNK+S8np+pglKVqSNhjyuj5GSYqUpM2FvK6PSZKiJGljIa/rY5CkCEnaVMjr+pgjKTqSNhTyuj7GSIqMpP0EJqfrY4qkqEjaSMjr+hgiKSKSNhHyuj5mSIqGpE2EzCmaqQyRFBFJmwi542iGSIqIpE2EvJL/yhBJEZG0I1LMdPDJDEnRkDSfrGZSRkiKhKT5bH5JmSEpGpI2EArK15IrMyRFQ9J++tIS+KfBUhQNSfvhSwsFRmWEpEhI2vcnOSW8lBmSoiFpNyTjx+EpQyRFRNKOSMrP41SmSIqKpOXM45UxkiIjaTm7xTNGUmQk7YzkFAJT5kiKjqRNhepCz+NU5kiKjqTlZBOdMkdSdCQdjsRrxCmDJEVI0sZC5lTbVSZJipKkzYXMqbarjJIUKUlHvTu+L1GZJSlakvYtSnxaWZklKVqS1j4MdeZWGCYpYpLWk3VNyjBJEZO0Y5Jzi2WYpIhJ2jHJucUyTFLEJO3l7pxxE7MkRUvSejYMZZSkSEnaXMgbNzFJUpQk1ROIVwZJipCkelINR5kjKTqS6gl1KmMkRUZSPRuGMkVSVCRtJuSNIZkiKSqSdkVyHk+YIikqknZFckb1DJEUEUk7IjnPFgyRFBFJGwmZU55bmSIpKpJ2RfLGK4yRFBlJLZyMvBgjKTKSNhRyB4DMkRQdSe2s/2SOpOhI2lTI0kKRUhkkKUKSdkhyrlYGSYqQpHbinMogSRGStLGQN9JgkKQISWpnj/EMkhQhSe2s/2SQpAhJtpw8xhuDJENIsuXkMd4YJBlCki0nj/HGIMkQkmw5eYw3BkmGkGTLSf9pDJIMIcmWk8d4Y45k6Ei2nDzGG2MkQ0ay5eQx3hgjGTKSLSeP8cYUyVCRbDl5jDeGSIaIZOHkMd6YIRkakoWTx3hjhmRoSNZAyJzzEYwZkqEhWT9aiRdSNEZIhoRk4awWjjFCMiQkCydP8cYIyZCQrFe7y7ScmDFCMiQk63uSnNuRMUMyNCQLZ/vjjSGSISJZRyR+SzOGSIaIZI2EvFuaMUUyVCSLJwNQY4pkqEgWT1aCGlMkQ0WyeLIS1JgiGSqSxZOVoMYUyVCRLJ6sBDWmSIaKZPFkJagxRTJUJIsnK0GNKZKhIlk8WQlqTJEMFcniyUpQY4pkqEiWTlaCGlMkQ0WydLIS1JgiGSqSpZOVoMYUyVCRLJ08HhlDJENEsnSyEtSYIRkakqWTlaDGDMnQkCydrAQ1ZkiGhmTpZCWoMUMyNCRrImTOcT3GEMkQkSyZX2vFGCIZIpLJcnJXZIhkiEjWEcm7KzJFMlQkk3hyV2SKZKhIJunkrsgUyVCRTM5m6Y0xkiEjmeSzuyJzJENHsqZC3l2ROZKhI1nfkOTdFRkkGUKSyUnJBmOQZAhJJiclG4xBkiEkWT5ZBmoMkgwhyfLJMlBjkGQISZZPloEacyRDR7J8sgzUGCMZMpLlk2WgxhTJUJEsnywDNaZIhopk+WQZqDFFMlQkyyfLQI0hkiEiWT5ZBmrMkAwNyfLJMlBjhmRoSFZOloEaMyRDQ7JysgzUGCEZEpKVk2WgxgTJUJCsnCwDNQZIhoBk5WQZqDE/MvQjaxpkzgF0xgDJEJCsaZA5B9AZAyRDQLJysifeGCAZApKVs/xkgGQISFZOFtEb8yNDP7Je4M4BSmN+ZOhH1jDI64EZHxnykQ0+4qhnjI8M+cg6Hzm9OOMjQz6yZkEOGhvTI0M9smZBDhob0yNDPbJmQY5OGtMjQz2yeja/xPTIUI+sWVBd+BZuY3xkyEdWT1bZGeMjQz4yPVllZ4yPDPnI+kYk57RIY35k6EfWNyKlwj8NBkiGgGS9vJ1TJMCYIBkKkjUP4tUOjAGSISCZ9i6Un59iTJAMBcm0d6G8UJ8xQjIkJNN6sl/ZmCEZGpL14nbO1nxjiGSISNYRyTk70xgiGSKSNRHKRf6Z7d+WjJ8HQyRDRLKOSMKXeRhTJENFskZCJlzhjSmSoSJZMyG7n79JY7AsRUayzkjCazYbYyRDRrKGQnY/PJPGYHmKjmRNhex+eCaNwfIUIck6JDlLZ4xJkqEkWZckZ+mMMUoypCRrMGT3Qzzp38LyFCwpLU2GTOi1P1r3MbYvrjF6ntJrf7QeYgSM4dfAGY2HEBFD+DVwRuMhRMIQ/pL60XgIIRjCnwwdjYcQGUP4S+pH4yFEwRD+yUmj8RCiYgh1Hz5H4yGEYgj/bJrReAiB+Rn8Z/nRiCECpmfXJPrkOBoPITA7gz8ZOhoPITA7gz8WHY2HEJidJycnjcZDCMzO4K9kGo2HEJidwZf40XgIgdkZ/Kn60XgIgdnZXMj4ib2j9RAD07PBkPETe0frIQbmZ9+Q5HwahJK2L64h3IM/RtshAqZncyFermo0HkJgejYXcsYro/UQA/Mzytl9gFjS9sU1RvbvraP1EAMzdFS4o/fW0XqIgSkaqz+6H62HGJijUf3R/Wg9xMAcjeaPzUfrIQbmaFr8sfloxRgJkzQFf2w+Wg8xME37EUp8bD5aDzEwT/vOJD4mHq2HGJinfWcSHxOP1kMMzNOU/THxaD3EwDxNxR8Tj9ZDDMzTpkTOmHi0HmJgnnZY4mPi0XqIgXmaTsaio/UQA/NUTseihJa2L64xWp7yE9RH6yEG5mmnJX6C+mg9xMA8bVJk/AT10XqIgXnapMj4Ceqj9RAD87RJkfET1EfrIQbmaaMi4yeoj9ZDDMzTRkXOTvvReoiBedqsiJ6JN9oOETBL+zlKTgdEcGn74gjRqIhXIhuNGCJjjvZSd/w0+dF6iIE5OkrdMXccjYcQmKJ9l5Lxb4To0vbFNYScPGYQXdq+uIbIJwMookvbF9cQ5eQZgejS9sU1RD0ZnRNd2r64htCTBz+iS9sX1xB28shFdGn74gjRrMgbWhNd2r64hggnjxlEl7YvriHiyXM00aXti2uIdPLURnRp++IaQk6eo4kubV9cQ/hr60fjIQRmZ5Mi7yGY2NL2xTVEPZkcIba0fXENoSeTI8SWti+uIcz1vtF4CIHZ2YvcOY+fhJa2L64heudJ9/OM1kMMTM8GRe7NiNjS9sU1xskhdKP1EAMTtO9N4senj9ZDDMzQ6h5CN9oOETBBGxUFU7ImaDQeQmCCNioKVtgSltF6iIEZ2gvd8RPYR+shBqZo9cuEjsZDCEzRXueOH+I+WjGGYo5q3+PJU4Po0vbFNUQbg/Lj00frIQamaC9zx88yHq2HGJiivcxd8f4WlqKKKdp9iR+/O1oPMTBJ++FJXKVH6yEGZqmedaOEl7YvriHOulGiS9sX1xD+CtHReAiBOWp+FZzRiCEMU9T8FaKj8RACU7TXuXMGf0SWti+uIfwFTqPxEAITtCmRd3slrrR9cQ3hb0EejYcQmJ7NiLzRClGl7YtrCL8Kzmg8hMDsPNmeNBoPITA7+/YkZ/BHSGn7Yg8RlpObfGCiFFCUwuIXERuNhxABQ/g1mkbjIUTEEL3/5M+9gYlSQFEKXZT4IYuj9RBDMEY+6YMDM6WAphSaEBk/eny0HmIUjHGCSoGhUkBUCou/R340HkIohjD/ag0MlQKiUuioxK+TwFApICqFXuaOd8GBoVJAVArB34A8Gg8hMEM7KjlJzlApICqFM1QKDJUColJoROTc0QJDpYCoFMJJ/xkYKgVEpdCIyLmjBYZKAVEpNCFyuuDATCmgKYVwQp6BkVJAUgoNiJxhSmCkFJCUQhMiZ5gSmCkFNKXQhMh52gvMlAKaUmhA5N0IGCkFJKXQSanwp73ASCkgKYXYu0/+lBUYKQUkpdB8yPhZ8qP1EAMTtJMSPwh+tB5iYIY2H8qFPaoFBkoBQSnEk0O9RushBmZoByV+iPtoxRgISqHpkNdpME8K6Emhb1FyOg3GSQE5KfQtSk6nwTQpoCaFvkXJ6TQYJgXEpNC3KDmdBrOkgJYUkl9fZDQeQmB+Jr++yGg8hMD07JJU+RNnYJIUUJJCl6TK1SMwSQooSaFLEj/AfbRiDJSk0CWJH9I9Wg8xMEO7JPGDmEfrIQamaK9154y6GCQFhKTQz01yRl3MkQI6UpCTZ6TAGCkgIwXxi4yMxkMITNFGQt6oiyFSQEQKcrKsKTBFCqhIoW9RckZdTJECKlLoW5ScURdTpICKFPJZB8oQKSAihXzWgTJECohIIZ91oAyRAiJSyGcdKEOkgIgU8lkHyhApICKFfNaBMkQKiEghn3WgDJECIlLoW5ScURdDpICIFPoWJWfUxRApICKFflRSdUZdTJECKlIovft0Rl2MkQIyUmgoxOe2A1OkgIoUmgkZP7d9tB5iYH42FHLmxwNjpICMFPomJX5s+2g9xMAE7ZuU+LHto/UQAzO0sZDxY9tH6yEGpmjx93iOxkMITNHi7/EcjYcQmKL1ZF1oYJIUUJJC9fd4jsZDCEzQ6u/xHI2HEJih9WQKNDBGCshIofp7PEfjIQQmaPX3eI7GQwjMz+rv8RyNhxCYntXf4zkaDyEwO6u/h240HkJgdlZ/j+doPITA7FR/j+doxBBoSEH9PZ6j8RACs1P9PZ6j8RACs1P9PZ6j8RACs1P9PZ6j8RACs7MDkjqPBAyQAgJS6IDEF8wE5kcB/SioXwd8NB5CYHr2Enfe0zcDpICAFNT8egGj9RADE7QLEq0XMBoxBApSML8Czmg8hMAE7YLkdOJMkAIKUrCTZfWBCVJAQQr9pCSnE2eCFFCQQhckpxNnghRQkEIvcOd04kyQAgpSML8E42g8hMD8NL9A6Gg8hMD07CclOZ04E6SAghQXv0DoaIQQEQUp9pOSeCcemSBFFKTYtyTxTjwyQYooSLFvSeKdeGSAFBGQYi9wxzvxyPwooh/FXuCOd+KR8VFEPop9SxLvxCPTo4h6FJc+9uRzMpHxUUQ+iou65WtG4yGEYgjz7wOR8VFEPorhZM9HZHwUkY9iOKmAM1oPMTA/mwZ594HIACkiIMXgFwgdjYcQmKDhZA1oZIAUEZBiOJlcigyQIgJSDCeTS5EBUkRAiuFkcikyQIoISDGcTC5FBkgRASmGk8mlyAApIiDFeDK5FBkgRQSkGE8mlyIDpIiAFOPJ5FJkgBQRkGI8mVyKDJAiAlKMJ5NLkflRRD+K8WRyKTI+ishHMZ5MLkWmRxH1KMaTyaXI8CgiHsV4MrkUmR5F1KMYTyaXIsOjiHgUOx4pn1ePDI8i4lFsFOQt4IxMjyLqUUy9+3RCsPxEPYrNgoQeSjEaDyEwP5sFibI9DZHhUUQ8io2CtPLdXZHpUUQ9in0nknKniIyPIvJR7DuR+AGEo/UQAzO0+5HyicfI/CiiH8V09ngUmR9F9KPY/Uj55GVkfhTRj6KcrGGKjI8i8lGUeDLcYXoUUY9i1yNvoMH4KCIfxb4PyfgkamR+FNGPYt+H5OynjAyQIgJSFP8or9F4CIFJKieP8JEBUkRAih2QnMEKA6SIgBQ7IDmDFQZIEQEp5pMloJEBUkRAih2QnMEKA6SIgBTzySK7yAApIiDFXuPOGawwQIoISDGfVG2IDJAiAlLsgOQMVhggRQSkmE+qNkQGSBEBKeaTJaCRAVJEQIodkJzBCgOkiIAUs1+iaTQeQmB2Fr9E02jEEOhHsde4cwYrjI8i8lHsNe6cwQrzo4h+FLsfGYebyPwooh/F0rtPDjeRAVJEQIodkBbn5soAKSIgxQ5IxvEnMkCKCEjxpMrdaDyEwAxtGlQz3zkdGSBFBKTYtyJVPmxigBQRkGI9m2NigBQRkGLtZer5DsrIBCmiIMXmQWZ8ajsyQopISLH2JHVmVpghRTSkWE/2ykVmSBENKY5TkryPg+UoIlLsxyQ5XyxDpIiIFBsJmTnPF0yRIipS7Irk/iksR5GRYj3LUcZIERkp9r1I5gzLmSNFdKQ49iIJHw4zSIoISbEflbSUf+bwb6lgZ8wkKaIkRU2nMViSIiXFvhnJnMcDZkkRLSk2GHK2iEVGSREpKfZad+Y8HTBLimhJsclQzrw2SGSYFBGTYpOhsCzOwJxpUkRNio2GwrI4tzjGSRE5KTYcKsKrtkTmSRE9KTYdqtl5IGegFBGUYuOhmp2nDCZKEUUpNh+qZXHeB0tUJKXYgKhIpdc+I6WIpBQbEIWo/8zp33LC64WZUkRTik2ISk7sHNLReoiBidqIqNwTlcZgiYqqFK2vq69ODJanyEqxIVHJ3tfC0hRdKXVXikoLAyUGSwlhKTUmKjnQ95GYLCWUpdScqOTovA+SpglpKTUoKvfLhcYgaZrQllKTonK/XGgMkqcJcSk1Kiq5OjFInibUpbT0PPW+F5KnCXkpNSsqwm/ZifFSQl5KDYuC0ss2MV5KyEupYZHXeyTmSwl9KTUtcmMwYEoITKlpUVgW/tSRmDAlFKbUuCgsC39kSIyYEhJTamCUbKE3/sSMKaExpXCyBC8xY0poTKmJUS38sSMxZEqITKmRUVgWPlpPjJkSMlPqByktCx+uJwZNCaEp9Z1KlZdKSkyaEkpTam4UjNbTSUyaEkpTam6U6/2pwQqMLROTpoTSlPpWJV3ou2DSlFCaUnOjopHe9ROjpoTUlBochWXhjw2JYVNCbEqNjsKy8AF7YtyUkJtSw6OwLHyUmxg4JQSnFEem8jFqYuSUkJxS7Jka+PgyMXRKiE5poBMfkiWmTgnVKcU+Rg28Ylti7pTQnVJDpLAEp0dk8JQQnlLq3WpwekQmTwnlKaV4MqRKjJ4S0lNqkFSU7wlOzJ4S2lNqlFSU131LTJ8S6lNqlFSUl0FJTJ8S6lNKPVmD060yfkrIT6lZkvd8mRg/JeSn1Cyp3EGP9EVMnxLqU0ojVZ3enfFTQn5KMlLV6YyYPyX0pyQjVZ3OiAlUQoFK0kcAwemMmEElNKgkvW8NvO5aYgiVEKFSP2lpifR8otF8CILZ2ncxBT7AYwiVEKGS9GSN/Hk5MYZKyFCpoZIzCZEYQyVkqNRQybv1MoZKyFBJeq5Gp0dkEJUQolLuuRqdHpFRVEKKSrnnanR6AIZRCTEq9d1MfAozMYxKiFGpl8RbonP1Mo5KyFEpn0ylJsZRCTkqNVyqzuxQYh6V0KPSyZlLo/EQAtM09wFAdPohJlIJRSrlPksVnX6ImVRCk0p5pKrTDzGVSqhSqauU3a86W/CSYSqVUKVSMyZ3qMlYKiFLpc5SzoiXsVRClkpl5KkzvGMuldClUt/XtCRneMdgKiFMpdJHq/yg3dF8CIKpWnqfyo82HM2HIJispScrPwlqNB+CYLKWnqz8KKjRfAiCyVp6svLjZUbzIQgmaz+GaUnOtceEKqFQpdr71eRce4yoEhJVqn0MkJxrjxlVQqNKtWcsP1RlNB+CYMZ2pHIuYIZUCZEqNXHyZhKYUSU0qlTL6dMIU6qESpV6xbxFnIuPMVVCpkq1Z6s4Fx9zqoROlWrPVnEuPiZVCaUqac9WcS4+RlUJqSp1qlrEufiYVSW0qqQ9W8W5+BhWJcSqpOnsCY1hVUKsSk2ePM9IDKsSYlXSPg5g536NxkMIzNa+72kRpx9hWpVQq5LWk6kihlUJsSoNrBKnK2JYlRCr0sAqcboihlUJsSo1eUrF+WIYViXEqmQjVZ3ujGlVQq1KQ6u8N8IyFbUqda1yMoRhVUKsStbHAc45GIlxVUKuSnbCqolpVUKtStYz1andnhhXJeSqZL1fdYq3J+ZVCb0q9V1QizMxwrwqoVelvg2qOBMjzKsSepUsfZceX/UjzKsEvUqWnqlOJXphYCUIVrL0TtUpRS9MrATFSrpYFX50gzCxEhQrWUau8t5dGFkJkpUsJwv6hYmVoFjJ0pei8iGAMLESFCtp/BSi0NKAwsRKUKyki9Xi1OYXZlaCZiUNoKSme21Vk8MbIakqaFYS+gDAKWovDK0E0UoGWjnFnYWhlSBayUArp6qyMLQSRCtpAuV0Z8LMStCspJuV9/UytBJEKwn96copiixMrQTVSppAuX8LS1U0K+lmxY85H62HGJiqoaeqU1lZmFkJmpX03VHB6UMYWgmilTSC8opVC1MrQbWS2DPVqc8szK0E3UpiL6DLbxHC3ErQrWS4lVPkWZhbCbqVDLcqTvfO3ErQrWS4lVPmWZhbCbqVDLdyaq4KcytBt5J4UqdUmFoJqpWcbZUShlaCaCV9qxSfBhRGVoJkJYOsnKqtwshKkKwknRSSEAZWgmAl6aSQhDCvEvQqafjkzEYK4ypBrpJ0sk9fmFYJapWkk336wrBKEKsknRw2IoyqBKlK0kmZE2FSJShVkk4qlQqTKkGpknSyCUWYUwk6lcjJRlNhSiWoVCLBX6MvzKgEjUqaNzl7eoQJlaBQiZzU0RXmU4I+JcOnnFKlwnxK0KdETp6ihPmUoE/J8Cmn3KkwnxL0KTnzKWE+JehTIieWKsynBH1KpK+gps+2wnRKUKdk6JRTuFWYTgnqlAydciq3CtMpQZ2SrlN87lKYTgnqlORTRxWmU4I6JfnUUYX5lKBPSe73eqcCrDCgEgQqyT1TnWqhwohKkKhkEJVTLlQYUQkSleR+sBhfSylMqASFSoZQOTVHhQmVoFBJOTlcTJhQCQqVlHCaJIyoBIlKSjxNEoZUgkglA6mcCqrCkEoQqaSf4eT0AYyoBIlK+hlOzpXHgEoQqKRhU4yZvwuWqMhT0ndOFVq6WRhOCeKUlNM0ZTYlaFMybMpZOSjMpgRtSoZNOQUihdmUoE3J2D3Fv1kmU4IyJfWsT2UuJehSMsrv8a+FqZSgSkkvv+ckB1MpQZWSfoiT980ylhJkKRks5X2zjKUEWUp6BT51vhSWpYhSMlDKqfwpDKUEUUrqyVljwkhKkKRkkJRT+1MYSQmSlPQqfM7nwUBKEKSkV+HTzLtS5lGCHiW9DJ/y9SDCPErQo6TX4VMnPZhHCXqUNF1Kyk95FQZSgiAlDZeS8noVwjxqffH//vMfL69/3t4/b8//3+vz7V//+Pf/83/+EZ8/vv12e7+93F/58/b+8fL2+o9//tc/fnrp/8v9bNz2q//x7//1j2iW//Hv//Xf//xHOwb33//rv//7n+sv76+vv7W13d/GTz+9vj3f/t/HT3+8ffn9p4/b+5+3959+2v6GomXzG+6nNV2L+/n3t9s2Tl4eYfLS/1mO63/T+KGMlrKU9QcdP6TxtxUL/Ycaxj+v/Y/95z9UlvWH0aR1/M8W5g/jd1my/sN9e9j6k8yfdG29H5cwfsp1/cnGLwr3yZX1p/Vf3L/R/lMuaf2prv9fVhk/lbBGKfPfFl1/W10/glDnu6pl/f9qna/V9XfYjGKP13R8fvF+2Ov4Kaf1p/XzjkuZr62RY1h/b4zrO41x/dBjXD+/mNbvKN4HjuOnsv5/9z5j/Wn8RTGHvP6U19dqtjV51/xoB9j1n+L6ubTFguOnme6yfqltdnf8JLN1/gvpf+//nL4vz9vclRofyRtyWr+2nHT9SeZXPpMkl/WLznX+izr/xSNJbCbEEmdCrF9gmb+tpPn/1TVJykzTuizzp/Ud1JlgNcz/L80EWy+SoPPruO8qG19qT/v/8aN6+vnt/XP7YaUlPz4sm3/l0pPkWrzb7uNPMWw+/mX5gTf2+f70+vH05RO6zRg3X2hN6WLAj8/3py+fX76/f7y9b8OFbbic4v8i3O3P2+vnx67jNdt0vEGuZe4+6tu3+1++C1uXZRf24t/+5cvt2+ft+ZeX29fnfby6vT9IvXZ/uMf7+Pj99vf+Qsvbm02wcPFvbsE+336/7b7kEnUbbHad1jukC2F/f3376+vt+dd9Ot4rcz3+4rLeHqKuHXY73HvtwOLagaWLv/X5uX93v3x9+nWXZKlukiyPTrXE0aHo2uFaWruO5fHT2geHe9X0tf++mKfPz7f397f3r08/377uP9/H+1m7unlfnLfU9X4RZo82uzGZvdj6yuzXZrdhdb0trXeW8LjtrPeV9QazjifivJlVWb+c9Vuy+SWt31HQ9X6y3nbWgGkNmNaAaQ2Y5v1oDShrQFkDyvqXynp3mPdHWbPxPijvP6zDmrzeBPLss3W9IYb5LQdd30nQOWRQmx/bcm389/T8/Pvt76evn+2L3F7W2w7yYof7/Pz15ePz9nrbd46yuabz+v7LOmYr62Ck2PihrndVXUcxtn4hVtZb2yIzt+2Rauuff6+kPLJ8Jof0LLvyZ/zH99v733+8Pb/88rL/W6JtPhZbLnZPz8/vt49dp3nfMPrommZOhrSOUsN9U+T4aY7q0rxy0hy7pnkTv++AGD/l+VqekfP8F3NMmspsnZ3jTPCQ5og1rTka0hweLHVeNeHiLeT5+ePz6dddloWaNrmxJkAcV/2VkJ9vb99u70/tNnfPvt2nnLbDtjA/qdmXhBwu94Gfbx+3z/673t7hDli3d0C9mhV/vOxuV6FsRjnzcUHj1dvGn0+vX25fvn7/+Ly9f77sr+YYNtdgjVc/3RZyfr7HoHkbtFwL+uuv77dfnz73kfL27a3Xs8aLn+Qakox2NG+/m1wvfpgj4svbKxns1e33pBc/S4xIR2a6HZmVi+/1669v7y+fv/2xG0flzXUVql38br6+PH3c9u8pbUeLaR3hxHQ1Lb/uhgwatuHy9SC/vX3sR8dtE+IMlUaHeCXU21/PLx+/f//YZ6DJtmNf+8XyeBaeT8D3gz3GcGMd3EUtP/Drb88/Hf6cEraPOCYXb1X3cN+e3j9fnr6+3z6+f90HtbhNfr2a/F8/b++vcIWqbkONW/XlUC9/3nA6qFbbdZoXA77uR+KyS6d8sTN//fvn719//+v95fPRue1ya5NZ4eLY5/XvL19fbq+fM/Ifb8/74bLm7eWdr97iXv9uo+/dZ7d9gzFezb1v376+fDn8sWV7C45Lvh7s7929Vrf32qgXe5xv33DgWXT7nS7rE0FM62Awpqsf3fvPL5+3d+g2ll23Ea6G+vLby+fty+f39/2b3d4L4pIv/tXv709/377e2ovb73X3p4te7ATu0X55+Yp/6r2y7uMbkTn+kznqy3E+L82nwjm1FOf8aJrjpVaB9/J7WgdL+z8x7P7Ei1fXx9+vX55fPr69fTz9/HX3Ddzrxz2+z3h18PUIuB+PbqfT8/qRzYm3sj7e1jQ+L11n9mxOBS4yn4HXuddwP7Z3/LRO2MWY5qd6dULi/q7vKY2fapDNV53LOjWwvsliczZ8nSN4vMc5Kl7ms3uwOe97ddbp++dv+2HDtq+bTzDxvjnyarznn3c36O39Z30wKevjYJyTCnFOzcdsM6nDnA9Y1v+vznmbOqNUm9MF89LQ+QCpcyrd1tmNaOt7iZbXmYElzNmfdXo9hfWhvp1RPn5aJ+TbiWXjpzk9Mec50pzWaOuyrn58f9y+/Pb0+vKxGxcmqdteespGjHNgVy72iNtf8e39fq1/vuzHjmXZ3hIszZ68XJwJ/v7529v7y3/enr+8ff16+3IYMFvZ9uXL1c5khn1++nz6GUe8VrYdSlgudunfP3/7ePv+/mU/yAnbe2vMj8vgctS32+uX97+/4V275u3wKemahRIv3jR2kW//+nx/Ik8kOdn2MUIvdv672F/ffv319v719ud+NJS2XVaIMcxM/N/8Evbed2hQL8LPPWwLsJ+XVtt1P1fvgn8+vXzFG1baPuaHmC9e0X89vXze83X/wLi5wGKYs59hvSlFnb5nVyfx7r9oP98tcXNTDGne1NKceEtXHzD/2n9Ftn1KtTndaenil/XXx08ft4+7if90nP1ftl2dXb2R/fXxyKrfb3+zxNo+dIR69cnlr4/f//j49v7258vz7f3L2+svL79+Pz56ZN1eFrZcHI3/J4xLs+0cZb2ZBUsXu4d7wP/5g5DdB3HxxnEPfe2jsF12XPucf3768vuv72/f9w+K96MZNsskdL2hLuvtu53HcDX+X0/vewPT7VuNxa6G+vzy237Evv2Lxa71Mi3M/h6Wtn9uCHl2rnNSOV+ktRb84+U/YZS8nQFbp5hLWkeZ63jK0sTfx+h4yk4oc7xZ1tYik6llDu3CYz3CfK1MsE6P2Zh1kKdlDs/WnjAtF59I2x+MkxVpl+lzZBZinMtALj6T/nz75e399tvT6/PHb0+/w2Bhm0SxXgz48vr0vnsS3/ROF7/jF5g22t6aoz3ALF0bt93jPX39+uXr7Wn3lKJhe7vKF0cqI9rH7XMfK+1iXbzi7rHuMzWHdya7aBdTpUc7vLO8i3X1a/z86+Xj1h/j9w/M27c2kPB/Dvf2vMuJXLcUrhfHLz9/0JFV3D6LzVU7GuYjbpgLpublHOdr+eI6kPsvf7/9evvXt13Xs/kzLof5uL2/PH19+U8GBJK2IeUH3tzH33/8/LYb027T+3KYQ1+zefr4oSBt9n6fOnmXOhff0/cvv99gQc/m+x7ryS6G+ePpXx/fnl4/bl/eXve3TNtdclcfLXrUg1WnbWcwDPVirDZUeHn9lb7FvHuLF7+OFhZvmSa7AcjKqGm56BY/f//ll9v7/Un4+37OMMTNXSOvkzllvUXpqus2Z6CWx0/rdFAIKzfGGK/+mb98vn18vu3HnWnbLdvFp4Kfv798fX55/eVtr6FbGb64qug++U5n9KVs+78cLt56tuHuEwX7kNsxVl6uJt3ggV2/se2Dapm958XJ6SNmHMRA0m4u+Af+/hH40G9uQTlc/Z5HuE5V+/e3fViTOazSq6P+v789fXz40yV5e8sK9eL0S4+6vvzn09eX56MV7QKvw9j5AD6XP8XHJZbnoqQyZyPnquQ4p2bTMuf95nKodlzv9bfe1rE8vT59/fvjBSZHdPd5XEu0L09fv96ff/agsr202qbPa6Fev9y+fu3rCvDRPWyxscxpjWVdYBWXdT1VShdv2F+eXt9eX760UUDT158O7rTsHpkv9stfnr59g9WB20fvOJZuX4hzH/y979ev6G7sN/DhUqjDdJvq9hZZLq7iv4f6uL1+vNwFdw+v2z8yX0TDL0/fP56+fnl7/WjLxL7shqhxC3N1TpLfSw9djQ1TIJscWleUrA+m82l0jk/nCqf1WXm6yPqPw7xb6lxcv16+y/o4uq4+j9MF0pyaXWd/55zcXFywzkfEdQVUWiYIrMsM4/xEVjaafDCVYQ2Y5gTHGlDWgLIGlPUvlXUl3X0Pa/9h1UBZ+yxZJ/1kHbnk9S8Nuj6VB53GOLddBNX5qdn82Ga3F+vFb/e3p1dYObZdiVfmdody8Z7ZA358vt+e/th3PZverFyEim2wO1X88fY8/5/dLoLtxGGO/4vg77enzxuPvb0P5XTtBneM3cLxX7AbQV3t5je/4Pn29ea8ed19MBenxHexadTtpE2+eM9nUR/89P07bAzZTdfmq/dR+jv++APGrLu18PniKg8W+/fb3/vAu1y5CAMs8BxwPt8+vry/HIZdorukuTiK3/2m97dvK9PxL3k7ZZovQvrhN7DIuyW6+eLEC0b2ryfbzjuUi0uJt+GPO0Zk2yeGcnGouI35cp8r+eTvd3s1jefLH4w9RtD8i9yJRbm4N2Eb//6PP7497QVWtnAXytVR3SYsmzPa7swJ5eJs2jbot/fb0+vzt7ePz5c/nn4FgN4tA635x28T77dfXl5vGzT/7en9vsyffe55O+wK40b6g7/t/s957N13enGOZx/729enL07wbd9y1Vz2wdsH8/ic+K/ZEfjVx43Nr7nyS8KOFP8XY5iPb19fPluPsI+7M/CL89rbuN+/eRdsDjv9i1evrO+vv++tavs92tUHkxYG5tjqbo1QujgjM0P9/PcnKNrWK+bW6pjmI/3V1YOwMvQwO6O7xRz56hPP/7TetGxXE5arH8c+KltSv13AEMeW1R+Ne5wC0rJ7Qr2oQz1sH1r+8fT6N/kUtr1puejf27Bvr+yz3YHvxcUF26jkA6i770suXqwtJp/12u5TvDr8hXDjiePp8+n3298r2dO1ALsJpaujJfht8Hv2j/PbLtIuzmDiLxg/sT8gx90fcPF2AvFp4O0NRH/ocnkEfr/99f707Z7hF76L7YUf9Oow8H/6jceMzdsdoEEv7qXCX/TxdgcT9nfshll29e4F4T+/fpDYZdml00Wl7bH3j4Al7lbs/NB11ofbtIPZLSwv8iO3hBmV9TFboywXN0z0sH/cPp9wBVrZ9a5j2/MPxmPfTt2Fvfro28IysF42t5Z6ceVLjzYGoPwr2s3O5h/pkcaqtf2b3CLQ1XHmNtrxgbCVvX9Mzif7X7xHZj/LtrNMV/dj9LB9RMnv1XULrqX8SHb2sPx72s5Vl4u7oLZR2XW02w51cddBj+mM1nZ7P8rFtcxfvr69wtKsLZuuu83zuiZe132+utmov3rjLAET5ob8GC6nDO6kiNs3shYiyOucdV4nlMu68rys0+tlbdJZ1med4NZ184TNafplljhZHq/NeehZPyaEuWgr5MdejEclnlUE7LEJWSbdPXaTX1yZ2j6O5/3nsd0Fv26tKessellpYm71t7kkenn8NLdpzx0DMV7cJdveEutrdw8fy8UtmWOf8XZpPntU2C7wjfXqrPQau0fZTY3sbC1fvUj4nuhtsDpXL+WZRvNbCnkSx7ykQp7EkXW2rg+JoSxTJOZyi1nBKpR1C2mYO4pCnRUzaniI02xNU4Cn7USdJHSx2tfmk3i/fbm9/LnP0SK7TagXFwx9eXveT7k9Ysh6sY/cXouEPHqcmc7jh/hYXD4/3flRjR9mNYK5TWmZV+p68a4fepz7guSxTnT8sK46jWsnEW3S+wppYX7Ys/zUrCq1fiNrwLQGTLNq1RpQ1oCyBpT1L5XV+2WFbln7YVkvclkrfMi6GDOvf2le/9L8KD82aU4mWc4yI0Ee2Tq3/6jMWiKzYITORbk6O9HHXeOxAyrbxdHZ2/MNzX27S332yusPMovCrUp7dWHmvU/az9fupgpnNbVyccn6Pd5h4ce25NO6vt5m5S2ZfDxrvwRZ12IFmUufpTy+jfm25gbNOs04TFgOM1tnLbE4i+TFWVYllpV1Y5lF2R775WYPFMss6VHXdxDrLN5WZ8k2ncuwdb1a47xDx5ktcdagiXPbQbRJ1cssz7bExzqX9ZIKj+tubjkNMil87QFSWHM4zcJ0aRZ6SfFR7u3q1Pz6BbN72G7H6o+kzI2UHduucVjTYe41TBPe07j0f+D34AI6297X0/LD8fBajdsBzOVb79nooOxGB+EqgfG9gHH7NelVW/dht+7wdd658yw7NCtwhTxX7OXZZ+b1qgpl9gklPTqeWdNv1v6rcxxe54ihXtzveW+F0ghhOzczewrdjILXX5euPhD3X/LL08tXHDbs5lKuzv1twx3kIu1cN16djusxMXWTbado5s09pLn8J13cdTh+wdvP/2+XLLvJpHRxy+gaazV0On7e9T1Xn7N74I/7rB29dbUjUzfP71cfiTdx20Psl7fXL7d3DF12oX8otz4+n7D2Y0m7In5XfWgX75hdu5nFdLGg5Br0+5cvt9szvs3dXOXVpXoQ8fBGZTspFNLFhbZr67Z73O0iWUcrs3DaY5A9K+eFNAfV6yNpnBu14qzjFmf10jjL2cb5LBPrHAPUOacwCzzF2R1FTXP88BhxrMv04ly8Hm3tdeMscZuWuVhwmUPxxeb4YY4Qwhyxh7lQLswVd3PpXpor9dqZMFc/8JfP//j+9v59t5rMtlkRfyR5X/zKpdtpwqvLJNriouP8YN1NB8vVZZwt2l8v95qlh4LU7SzWTQdwcdvdl7c/vj19vvz88vXl81jwph14uw16+c9uQfcbsNsRvNtgl3u/b/cyfvt3lnbuNVd9hrg+3sWrGw8f8Q8rk7fLeuJy+XlrjQfTPbtyP+sdMM5aoXGZpTKXOZRP87KTWeQ0Xtzecd9X83KoX7CrKi4X60mte4Vvt3/daxm9fL7fetGFP55en3491NMJ22slX6y/+uXt9fX2ZX+7iLvttHNAF8LVYWYLeefU325ffr9PbJGefrsXPl1+0oXIb9+Pq0Bkt8QnXZ3C3Id++/7pDNVkt9F+zI/8L8J7N2vZLfRJV639Eb/NxZKwuzHA5ZH2DNtl/Bh3t5ZnLNL+gbikEPRuc4xdfgJdI/56r8hKttdvFgdMHhgjg1lldRYwmiPlOXMxH2YeNcbHD3PJ95xLnwu+H4XGHwVn1p5lji3mhMQsY/Eot7Pe3x9FdNbuaFaFn0//6xBgFpafu8HXgGkNKGtAWQPK+pfOqRyZM1PrA5+ssyhzUk3WccescB90TgBpfkypzR1OszKz2vzYlh9Nxv3Da9qtLY3z25yzmWHWPA7zcwtpPp6mOR2YZuHhubcgzMrHYU5vhnS9A3/15wN2u+yv7h58hPz29tY3ndOrcjeQvrrEHGLzjiTseu78o5dnC+12JrvSKxeL2Oxjkw5lt4Jrubjjcx/1j7fXl8+395fXX8mb3t1vLpZd3odn6VF2w6CrC8R2Yd9vT89/kzdcdm/4R79BL+ruvnj5SbhFpeoed+PW/EPjmbv5vH3//AOuuN06i2V213Ned24yijIFJF5+un39+Hz//gWK1W2fiaaDrvNTs4b9egOaVjtLlc2a1XOufT68znMvZj87h7ePDZnrDWiu4lz/6rXXi+vUWJxVEefezUcJuDkXPSeg13vKGnB2o2lOcM/53TXgrKY0K2vLGlDWgLL+pbJ+GbLuSZvAI6sFyvo4ntc9abrexG3efpYpjMujCMu818dpQLN8fph/eJB5I5D5Mcv8vma1vDB3nged86M6S4rPWnpB50ypzRHAMj+ex962R+V9edTDKxPj6tVHwvvasPu19csTJmbeVqEO9fJzVot4qG8bdwXa5gbBdJXrcaN/3K7qqyuh6mWk/f4693XsJ863S4Tq1XUnu3B0bn874RQunkbQwsLpAct2IUkaA5JrkeiM6vYmUi9W9+23Z8d0touW9OoTIQSk73RXfeLqY892ve7+7rkZ7l/M7BZrrKTcrvTY5fnme75Ysmiz03A/Rbk9cuJR//5H3mwLtV/FH7crourV/abbaOTLsbQrkXR1CqlF/bbbP193h8nI1YWeLdLHrdUlPnyQ24FSvYoGGBE+xe3q/Hp1h8I9Zl/WvWf/bd3OoFf3kt3H9a/3Uucwhqm7McysFpAeU1bzFn11Nds94+/7dm7PX19+/va0L26bd8U0rqfUNub77T++v7zvDSHvqrbVq7slP375eq+n561z3i3pueqi39/f20JiyCzZ1a6Uqyp3OEIhL7vNhPmxymHqw1zbcHl/avstP91PTdrv4pGdJF7tTugRTHU7kxbD1a15LZa7m7DuFrWFq5PwLeg6qoclWCnvjpeZczZXz6A6FBpNu51VF7No3bd7WEmwrTivD4O9uObZqdq7faoIF+vBkftk3nZ0QS/uM4Fa1dubrW5OwpqnAM4plDILcZfHkVfr6D7N1UHtXN5rb+Twae9WP/d/VudiqzJXw82ld3FWm4myPObk1geoMre/1fm8OFcsxPp4ZJqTfzrXFc3zOaM+Sl7MRzObc4KWp+jNdUDL43jIaXazuk6aD4EpTBcM83jIOI/4inl+thcnqp9/ZtfsrpRhvNgRPP/8fvtll2wbnrgY4ePziQ64bXv+QgoXt6E83768/PH09f7db28am6Hi1TD3u9ueFreXwMUovzx9//r509en11+/w0FRtl2aGm0zD3zxAu2x6SxIWLYmluTiTsk15MNp6daTTb9UZ2F4ubjY6fm+k/uAZ7bdK5BCudg13L62U5L2Y4666+4unoTZtzDu7jjbJTA2D6nLF8d2ozbI4aF3O7aba7Bl9jbzbNRYZmlYvfis2X8lPiXp9tv6gTj3/Sy77307lqsX5/5OtrHKrnC/XHwanBtY929tuwhxrqrOFx9d/U2xsrPwq5XARjzSo4XdYv+Lp6F4u2st7M5CurjkZxsNNkHvNgD90HVz78IPVm1Bd+/v6pfx7fb6fC+lhbf9sK0Nf3V52/Pt2/vty6OE4P6eV3Zkf3Hv4PNtVl/d5cq2ZGeQi1tHn1+evry/fL58cYqS7c56u4glzy/P37/dN0zu93ft9ndfzb2X99uXz4cL7D693elPqT6GWFdjfzz98fPLr9/vPfj9iRTq+e0KSFx8hnh++fh8ed2vdYh5u77o4tqVNRC7irfvLF6t5zhf2KVM3KXMnIZ+FFa7ODm4vnCoi7TNyfy4iT1268ztKXWZq3Wv9sXQDaetSNpFP31++w6rmbalmK+FeH/5cz/FWnbFDJaLU1A9Dq46L7sLZ5mCn+ZqwikeUS7C472O0v4Gtr1LzyONrg5539++eTO5m/euF1fg7MPRCyDsLoCLl/um7tV+mfuyfY9Xv/JHMPoOtw8zl8eAa3Wr/WTrbjr4Yje0RsKJ2+045eozxCMW+0tltyfi6ojn/e2bO9W6/XsvitE93ufT+6/7Ktu23XGQwsW6oc/k4Iy0K9WVlrlIIz6WcExEvTgjuv6e/ZOT7Ao8zWs8zDU4IV10udvT/iiMuqsAIHO2QC6ufrp9ZQtjwhJ2mHRxOux+VN8feFiHbvvvmC+OsG5/vOyXKObtgXNrd1nWk9HLOhU0V1TXdTXRXDg0N1fZPD19mXtTlqmrj2PXHxj+qEl61U9vr/fzjPZnq2wfcWOdYBsvnvXWQ37//EV5heXt48rchzOVPDzqA4dHFdaJ++Exv1UfS8/m6oZZ1CnrfKZ87IJ7zHTNNQJ1RtEpDTqfQnV+nlO6o80lto8T0OYDcrR1J1Caqy/SMveRzgMEU5irC+a6hzT/thQee4Jn4dj4ONpmfiVycb34ML/9+HXbGf9IlNvzLy+3r/vS+nlX8VPndKQ+pg/nF6cXkRZ+3R9P3/Yj5B2uXM7NHvNfbSk1Dul3h1ZfjLfvj7Y74Mq6wMEes8OP5ZKPYyMvrou7PxdC57cd2qerZ3bd7nUKX6D2m+yOl553E517kHXeC+xikbTb6zOrirJdAFcvTus/QvHiJdtlVHKxINPt9bd7yfLnN+jA6+5gZLl4O729/rkfNW8ReLlY+OT2+ufL+9srPieV3QJku7iw+fYfu7/KdifRXvTe2398B5yN21mXOp+e4qOC9jw1M108gOv2vj/ZYDN2fey5nnuk40U3ub0fHmXy7kzVEXn9Ya6Gy+tzaJ4LaSU81kqtHdtcnxXm/xfjRdm8vb//8bFzyO1SoPVWst4qHjf8qX5z2Dc/n0dxivFDfSzgmt/MeJvzzPe57XtK0bp8L+aHDq399+PuuN7q5vmoc7v3o6bFmgSr8awB07SwNWCaVS/WgLIGnIUPZP1LZV2CJ/OLW2/+c/WarF1rXsdFef1LHxUSZFaokPlRzVFpmCFCnssTdS5LnOVrgj5KyM980LkD2Ob4JV4djR02Sm2H/vMo5zDLzKQ0T5VNV0fS99/h1HeuuynaeHGau0Xc35vSbv5quTgn1gJ9ffr5BitCtjfV8RHMoyrXUdtcavA4mvkxuJzzPXOSZ36raxrMvYlzeBfnXMdceDL3SM5SDNNJ5zBymufcujjHfPOrmma5XgPTR9eAaQ04H+3SGnAirqwBZf1LZVWTeTq4rI8gsj5eyGpteR2g5vUvzXNhgc4HDp1FpHSmnz4GCHMvgk1ajhdLE7Rv+/328e1+oNd+aLfpqGc3u66HjfPtX7yJtZrMn7dZwv+4EnM7i3DVJXhYOhuz3aCnF32zrT6/P1x+3t7/evn8rRnDftizWyEhF8uLtrj3f7UfQ20ns+dxNvPwxrJeN3OWtK79ua5j20n8NqvLzDogIczqSWEeHPnYQ/S4nMb+m2t/xYfXiW0JNMpFNrj96/blOxjobp/WPI43zNUHIV88muz2r5cP2KlruxLBF43z9q9vL++3p18+b+/sfLNld6hxnj3RrK6yXJ0gab/n44Ud9Fbibmf83PhkFzfx3rd6Pr3sZwS21QvWW/XaTc1d6HNL+axuNE8gsbmbYKZqnKtz4jzfJc7T2GMMM/tma56zUiXO+YH5/9X5tF8fuwdmDs/nozi7zjg7zGhzl4LNnRg2u/pZsS/N+fUU5hrHMA+KCXPFzBzVpfjYvrs+q6W4jgKTXJx1HN/Jfd7muLgvbs/E0Is130bEL/9/Z1e25CquZf+ln/sBSYz9Kx0dJ0ibzKTSBl/AOdyI/vcOgbW0t8BVK/vNcapyG4OQ9rCGoImxR9yoOZJl6+0t7GE8heD53WL87KaXce4XNT5ySkHYxnYbCTRKY1/6xB9WHQyWPXceTGkNSlEwB/oJadFyifiwBaky/NxpXg0wyfzXM5IT52unfCQc0j023X3tE7t2yctuSA9IHyQdyDtZljeQwHBk/8GHTHTzGxmPO7XWKH90U7xS3tgs83zvVGtlJyRWNVDnMHkeR7ZItZE45gUqLGTJOYrQEjThEll1iROrxF+UEf1HFhHbD4EKT+KgqqYQZMdMRkwxFMoonDWNfu1129BKwaUKbcMo34oCxoLxW5CIF/9dR3u6RLSSFrA+1A57JFNnsjfziNMO5z3uzEroXvW7C0PAwyxcPqiaVG6JgR+60fpSZSvz/xvxkIyisJEkliZG3kSO9aXKbj+9t+iAh1cqD92G9BNfAx+9TXmpjKxIbMkW7uCJyx5sTcKbdnSDulHuPWRT8/XSLos2wawVYK0geQuv46RXXalcQLIoNUhqDKwBd4bpvlZTTXRyr/XB5m767Kbx5S8/oU3GIbJSeOzo0S4RnT+bhy6by0gm/+s4pSNmIweLRejWlaHlBzPDBl2OLH4C9TUWCyy15HVq39KefWGU+wSJ63idxqv3Mr2NGr1mMmkl4nISFuXDHbwYThlYAEBvYF9pLJtbTeN1nj6n7jROyWhK2h24nKS2r/EWr0Ggq0M5nIKIiMujrBdKqZwE+b7OP8NJfYlytou97ZxEzL3etURt4+Tuw2KZfJRDqJwSPCyjsmxs/KMRV0H2o2LfJfGtL51/s/b2nLmkI5gC85MS0iLQnTUV2eN6O+mJrrJ2a0LZaxqyafF2ukWXkI/u59BJRT7lmsSrvZ1uH9c5GLQEzaq9AI9SaWnIKfexmE+ZKxMScl63xupPl9WNVyfzlZpIPvQGiIB+Urw2mxK4tCT8WdZ//a0br90y/ehIhYrEvShvHrCeHGHSHjQacVuyTfzWjb7PqhtTtaLyFeTk+61Lkahy+yaT5C3Iy097WdLKU+6tZK99i5Yw+uUkl41ybb/D8ko6yCJcERpfZWgTQwK7Cv2qKpw7GCZgdAwMjcmwzwjhECjJR5dmW6DCJDnr/qeM01FO65Ty52NAzMRDyan2zUJxKMgmz1u3TO3X0WwkV1fH4n/eumXDxHdnD8jSAdUFsnttt0jF2N3cMlfSTzlpZxCiruGSy8wVWJxswamAezKSskfI2VNLxtTli0LR5GSn9G1qh/ulnZLuY2OU1QapSPA29efX+eXuHbhUASgTiIZd0yLYgdaoqlIdOcGQMY+6uKqgZJWsZVCv3bS3AXeSPcNOKo7DHvae5WloSc2Vvw3vz6Kp++x3GDWpOG8tqc0tv2pdvEd3qJR36PdPU8Q9fLC5erC/WYGro6cOJm+CI5XDtmC7frCcG5gsAyaGzbmm8a7SWCMzrSimbNh489ze+lM7jEN/8jSr9Uj5bC93fdlSlddYJMuWvRka9KZ0yXMS9/6mm0yVkuIpSEbsezu3b2+TZ7J6Ec5dp9JksnPnHEmO9WHvy/tj/pQABp1yOyNrs/d2XjkXXesL1K3pkcSVfEnnyI7gu1dUSKCdVm5XFTmK8YEAoNEAQpEYB48KDOmhF4bqP6L+Hx9ijRf+BTg4QFsxWcUbZAAIASg9dH4wIo2+JBAXiMrg//FoCUWV78cHTDpDQMgZO4w+MTfAqDQEhOIxMGB5+KWYY2B4kQfsNiCIeVBOKAKEvwAeAHhxU5cA0EQoHrB4NRyTGtJc4L2dVbOrkfgBZ8kuxXs7fwzj13C8epWHANl6f29nXw8IE4/TgXdF5hRNgxRkfMReg3RP4ioFxZK+5qH71h02uSUUYGuEV6EMTw52Sg3QoVn8BIAULK2sJcdv7+3sH0p/6lLpVyWWjCrIAfHgSBD1ezsv3feyEZ+Su6hw5CSU3sfrr6tCddJJlrtgTiJk3tv5UVAcbtjK9ZIUIA0hjxL1TCXq5JHStdPy0rXLqxd78hxtTZ6qCpWVVBE1CLGSMCV2cVdypODfe3fWHTlXqY4lFBYtXJVsBWwICa9Yv+RoltIo8jn7ALrLRZNJ1fg1Y395fz7rUUqjDtoMJlOshux7Qn+wVuInws4dN+k8jychhtrguEC80+TRLggJWQmLDZji2bg9FAC2lzDMQEvVRiGtGKUE+KjCSKWqAUgyEYaEf4PUTwMwUwNzLWMjqAjrNOQCzpJsAz+10K+sUVlbuIEOnmmO7UH60O357Pk6ukMqE+AGpmdZAGI5F+6oY1X4/FclEgmqHIUHiSObu8k4TJaJRcATleFmwxyyDudPE2DejUBfhI5YVqIjBs2PpkH5AqYRpMFdHlIzl5MN2/7AslPeEpeRpXR/vu2Y5RL+ZICGMw3JRuvPty2NOWqTlVbNEsjEQDd/K2VnVpAqQv1wutzPD4mRI4vtxikBBRSIDfCKDWm73XvPAv8vQrJouF9fEhiPFCKpyJnm7rFbCcNqIrQHaQjw5SaHIIAjK5f1O56geRvleJ2R+kNpxNU5RgtjNIo9l5FIyTTw3qVPvR6kX+EWdVUb2f18p+Jx2/EjZdYQEFlSkv2dLc4OvGxlqVCxW4D/W3+7puvee1Me6FWYwLPKBWnkQ6CKfJcbMsVd/3iL9hAHS/DWqkVLTuXXP55v3al/7U+7O9EoMmNGai71w2s39edUs7pWGkQFaRSzW9KlegPZ7XlIiPGyxVQCalCS6KZVNW1VHfLkpak7v9wvH4mMiBxBVSRxM8a9D38TWS5PUtrFg+c1jMMpnVkDzCTSLVOQuJst9pG+mjRrRoJqY7sFOBsyJQrfpDOZWlEsyqjuSA43Y1Rdl4kHiE5KLJ8y0ntni75XcJNDWLKEiaEOFMikvLzLSALOFjGFUcoeZ0W2OBHpQLhNDQl/9ajH4bAALGRzKCPxPIh4dPNUCUfCdraAh/JtsvYuySlmP/h9OIVaKTY56f7SD4uz6oIEvJaN0L11034LVzwh+oct3TTdb0s/3FcKz3DgsJsrjJor2DfimZGhvNKKPWvWQJ8ps009ArKo7+fkha8Vw6QgR+X9fGpvt6QdLwfFFclR69eOpSfwJT3LUiEtye5dP6/IplT9RrU/yYFzL+cYSTzVAmZT4vncT3p4bTK1X+TkHLef+9tnmbyOSsqVnFz38/ihN0TZLGBdQPv5kRHoQ9ypQxyDN+heFyQDpJ9v/TAkK01O/aHC7HJSjaif/SC53RlkGmXhSQrc9fPq4LdbJKV6IiSGrp/ne6JSJ7shhk7J51VUSDdCZVqFSZKxJGaiX9vEBzdNTfPISk75SDvJoDEWMtcsDOivMYGjKem5giyP/hrv09Be9IXl6sIiIhvgWpIZ9dfsRz7v3VX1OOpMXSj5+qfK7QryU8VJY0B02wodvox8QT66I0BdUSgDCHJSH2NpjKnS6q+ikxKJHvzofvT6LmRJaCoAfWvICLB47Y/ux1PWvXyr/gKjvgBTSlJP76PbqdUWCr9aRXMoEgn/0f2kp1MhYY+GlXP0qMfxtd2lVYotWpDQry3YuLwf5GmKzFmQ+LSP7ufTtxVOl75LCAQKllLFaTJZIYbIx2pPSjqLxCmEiOuCvyVcqEI1cyvI0NQkK8UH33tPF0oku4I7ZU0aVnz0l0Tbzsi+cBHgA2WYzIC73QAEkcVPoLoL6TnLnTEf1z7Buit8NwD9DZml+nj/CHaXZuCmJjNyH5lDu8voDQnoEpETvWO1x0XNEcjyNuRmdGQ2UOcKY066O4RIf0Y/ZOi1I0uTK+YbjvaMfPMvfhrvB9Mbb0oDsyVRzJDYWR9w4+n5qbzOZDKVyZAVxxpwTiKplkdOQut9pHUSn9ISTZapKSG5p3vbg8uf5XT7M48eefjnyCdJ9doaMuF6RL7MfxtZDR5JsOelG96065STxRsGdya6X0KiwhTAVDkSVXdJ4L+KM/iIWoaxoTWAahk4MxeYUZeA2eMct3XEa8EWpsE8uskB2Qp7trMkm9Pb2+pctVS5KtmQufQv13F4G9ct8uBokUU4CUe69KnWqyw8ioAWiEJIBlJSBuNpWIbYOuia2JrkaV16z3np/52WKq5UQhVkIyeBbanlosxeyP5LCgPbITmdyhEycjaYhD3qTaqCNCMLFx/30HnKSGJMwb7eMtrhNSoxaDIrUlEPeqiSzebML56Tp+/sZgdGCSSGCU0Z3uUyJHVV0OCoAhgG5k9N4Ps0EFjLIJskoKZQZrMBu2Oj5CBrjfWEhySBfAE1A54kEDVgK1YQEwpQnCb8rAathAzTiCxu1FBfjNpxFq41OamdJwCOuuMotWjJRoYESx68fXIbzdgcKIY8nArIVmZGcuN9zL/xpZStVlKgYxdx//MrJWptSN7ELvChdZgSMiI7lJexPb+0l1WCVhcoUoktoLTKcEBXAVdWh9cq8mSz+AnjVQgdWlhEW7DeLeSobRaXcPTRBtIsh5S1JS0iL+Mp6TEoDXtgXUxDNrHWgDqpl4xkW5J45TUOV9/U6oLJzdWH98yd+X28nFN8qGwROGRfORB4LvS4nCOHzP77dldeKS1uNt0f3950g7ZQQm+s59VlfPO8lYdec/Bn64f7ol/0slASyUiGsoCLsxlQjdh0XVTVdBHnx574o24oSbklMsD4kXJ9ZK6AJM+y5/usO325nD2aAvwL7AOmwEFUQIS2wDFVRNlaHFPI3g2G/6aEnUMJ3Ysy6O0Z2ECaClJPFbogFSnyckkIRoovTk5ILinBSJXx5E2+tn+NKbnSlcpPldSGSRTojWTOFmE/LgLGu45UG2jVQkMug9RwNOc05N56XVsHu2a5elnxMGtgS2qyRb4zxjBSF7+ICopkKbrGO4KqiIcZ5cNw+sCayZY1+txkd2z9St+sbYfzp2fOaayAYmsW5NT02mo8pBT+qkVPHn4HQHHXEDNrmjivoL+1/Wr71edSnyZWolObqIIcElwDzxFT5ahIgQo2cLYwcM8ooq4lbBsaUhrg2n6/zOOwdbPmxByulEZcFmvfObJZdm2/H7P03W0wWakmzWSXc424oSL0oVAqIAm4PdYBTv+Lrzj38+IzPD0aU4AOSwd75oCTK/IOic67tt/9+dLt72epTAGzqAxfwOWLxKBc2+9kj1I+BvTvvnbz3L51fk29/KRJRK2SCCjJOzKrvLbft3G87NZrqdYr5o0uCBpbVnjh2n7P3VH/yWS54jSRshU+3tJeuqGb5wNtXlcpaSd4rrsSCXyFzRQK45ZfNAf7kEpqH2dguE+lw2EYmAxILjIkIRlGu9iLTAmVMAPSion7GPYnC1VeG1uXKHpKdOAqeCRVaHZizGAxWrI1/muNyDU0hbHRW5RdFj0P2+DeIp11UDBxGQit6As6YECdicq/8EIGh8NZuGGzqhLX9vuznfq0VVgrBlZJgmSv7fdXP3VHbVRVhGU4qR106RxJ8/Hf4WcEL/7s3h8galeO5DlycJsORIx698iZ9HWVxepnJZtQGlUmotnVkJ4vCHpbBUaXPtngtIQe1PAbEiN67a7j9PPnquzsy0rt8ST//dpNeqpWGlXSk6SVx3auOyhy4IUdypZshnnAsikLtTDRk8/AQXdwu4cxg83xZrIyvv67V38qVVkqN3nW6vCqwT5Wvqp1SLuN3JawBUWvCbLav/bDP9NZlYww/F/y6ENGEjiv/ZBmAhLKQe4P/XB8VKsMIJS41kFLmKX3XvthGu/DeVmZPbsRqkJGkt2gaz882Ted8kuzYIFmAGDB3NE5disZNUY/UxAX9jaP54RlrHRGSIej63juX/ujok9Eg6hxjrO0hFREGR3w2Ofnv/MApl+qroFhSw4/PPyz4XL+7MWPSqUKa0hA6Rq0vfU7uSxJ5Sab/Vusr3kfS/a12JXjY/37PnW7aGqdsh0XH249x6dus9UI/uMa2a5wtL+IfL98RGK/fqvES0rmtOuQeJW73LSL9teph6u/iLoDdTmrCECk9IcIhp++DTj21yonrGymeBB+H1jJuZEn/VHg58tBQr3YlCR+w5E+mSy0WXC8CHk065FFm3UkNGeL6RmoS//SX/rlZ//rZRbJ1oIbvqE7d4OnsCV5oyJXk9ykNOIR+kXhEhsSjRGhGOsu83Gd15zjAYHSwwu5DmoSqh7jn6auXYFG7Ue3v82Fqo9ZTfA0OoxJIy5h/01qe6tJuln8pvPLz62d5/nWfunhjlO4UPo8Rtw1YjtpkfPCKfjd7xYgot5ajXAqFFWC5c2IqPep1/EUTpmUPo3xDh6SQkj++gL7YXM4nt7W/+MgvrwBNYnSjvHjezJ0y9c4fTzGaQdfJJ9fTQLYty/aTpLv9/Y+L915vzOpN+bXgVcC2i5ooxxNf5E8nV/iO3cIRDaZsl3P2Tp5C/4spFI0IgehW0gvaBS8hve3QbIk2I7oGnbqP7v98a8E+Ehk8hpvH0l19X6xTR4r0DnFMLBAzvC5vQ+9mpIFJ+D9JSuB61/E9brhu2Bq0viLjUYoVu6DyoKa5DuJoE/yU4UW/s0W9k+7lypxfrN3fXTTSzeN+9JEed79ZpO69vPcD28iNdk7pWZKpeAXe8oj+Lm7eR3G4bRPG4ykMzl2ZONjP/btg4hKEO8XL5iMeIhGkk/tV+vhH84YkylW7i9esGFcHsO2g/PFSP13loS8hh378+kgnNz+f/OSQb77+Q1QNoW/uLNHz6lU6skk0G2NdmungyPVKJD/b17X6b7+5IOIEpz/m9d102U6Xcb56IHL5nv+mxd1C3sQUNzK/Ddv50MGs3uWxBvZx6UnL2vkn3np9nu1MUqf4xe3dGn7S7RnPAgs0RSk5ekWeLyNl/Ht5+nTkh07UqZhCxxlAg6iilcpJwWE1qj3ofu+rTuJFv86+ArxPuQknG79ir8VtjdyIMPKtVzHoV+8AP1e29JJvKcxEaSZRbgmprh1HD9jAsbOSLZL2LdJTKYOTsun+D7ewc5mMn1akvRC78agwsgaoQT1riRpJNf7Zel1NqMEc8nGgm7ay5cMWB7Lzg/Xv5S9cCc3l+2PAoIh6v3F0XjImcOIHE7KGDpCfhIWzJhrYzlBIBJNd6yvMIy20YcRWpOYiocBWfSnjVqRYU1CtiDMrzEEDwFdCOhCwDwEzENADJrycIUwl8wDFyEP2Mc8zIRhMQnSlIHPmKkh11DDm7oG5qAGGLKu4w3EHSzip3CjshJvKUBeGSZlzmGugaFdmWO6CQRWiXglRnololTRMRhz7wzDIWgOO0OOifySG4eLNptQiitxvm5Ik8njull2u4twB8qwAMsw6oJRdR3WeB1GQ40BRiR+KvFKhF3BWoMV63BXsZzLKDeO54UdxZZRgpVU0R4SVKryCCKPhNS9qFbe3QVJdvVROq286hT620JW8yELTIWcb+/dlKDWlJIcqcI4+A7v2bcFEwCmqq7JLroINr7u6ffqIZDDn6H7+hP7Sbqolrm+IcU/hu7riYplrtrmDujfnH3Bdnrl4vAoQNEKe3oZMgWoADcByWey+AkkrUj7tOxhlmqlquXL/qpHk/BRcamASlvRBOCLNUCHYN+2DVmLDV4nrVUbX1koZiyYrhlwvHhWFthkZ8mW5RAAsf3Zm3/jv6uFq24cOUge0umcklsh6aTDeKSca1XX57E+oh8zTCGsCWekLaKrM7B6VSQNA5NRQcS6wl/USENq+EDXIH4A12yxfm0TTkuXGZyHJc7DBtg6/FdTIFeJp2WklAQukrNRm5pND73kaPBo0V1zua5KsrwfxoQ0oTZdclw8jEt7OnV+PrUCk5KtV4Vkf6bWjVOjLWA9TYE0q4DoDRwUTAkNmLJBmkq2f4f71fsarmpcCV67rlVTlQQ8PALuTxGFzSb1zw6dbxVogAvzqiY6aoBbkYIn46sKYuTuVgTMLFLQMhwOMA+twjtYBypAAy1ycAozaOAD0moMnHSjEUysJ3JSf9t39P6c2svlpT0p/bYyUyhL9sH4cO/3azs8CaqwleQZ74OGaK/3YZc5lGpIydInZNRbO7UJKF8NfRty8OljHmqjq2FvQ6ITtaCexAZCDByeOWHHL0KuX+AkyUE+Rf3qDLu6r/1qlHabutdu6hJihTJ1wq4DgyHjUAGD9Yp9ypYRFB4h47jUKhZj4PjVoIagWrE1GjRN8BiyjcMRVqB2DvfFoZhxkeMINQ5nXDzC8CmUKw41vbMovW14Bi4nc+CEliAVl4pQjcKbogyXUYYGRRXqrTpYQjVhD2nQjsggRZyBmBb7GAZPwSIFyMnO/ZgsAiOFxIuQtaAoRKVdhp2rCnjgOqQGTegRNLBVyEClynCyGSxpAwl/G/7U5iSCyavtTmnrq1YOAQW7MQ2Xn+3APyiPlFdjQQ5vtAh2rnRv8oCZNg8/LCJaN5zHr8Ez3/f2g1bOBhuSM7AP+bJTonOyG9mQOBwf+H57dqXiFXm8078OuFoNa+VPmew1ZAcfM6tnZafCO4GjaiDuY8oMaRkMHCr0GisS74jrSJQ51UkTbeRsoMcYlsSLL0gfr8ms0jYlAWmId6RqIXXTnCHpfoioc+VSWcKSQzQ1ilSLRHaJKnhvVKRNQIyb7A+50lYsAgrbFOBowRPNFDA+KtDGKLCtl+FQMmUUmgKRvYRvYIlioQS1AUevAUfLsELS4+0yvk3dLanvG13OspnTuihSndlaedMW9D3fYt2HSzevcC4PYkkjK/FIUkflaPYie5Hg9lfhaIPkVIPnhRraZBBtBD/NOOhOxtq9CKIALoPnGDt1TdsW6oaSs/8DTWbFwQJtHPyeihRxUv4PB17ezmnIOnlITf1b7xfTsBO7yZVwV052CULAf3fTuAVSIZW1HUnwG3W5UammGImSTX0AZQdVyFEglTZgXRm02OKYqiBpEON98Rzrcz+8PaCSeryq+HMZedrc2ilp0xl56GNiYJDIm4xMWVbwxgMfAVl+vRuUqneUkY/w5qW628trf1m6qfsOmEMN6pO9xgZiMxlpCvX4ij3FRvZgDOkN4dHN/WeXjo6VoD0pKupDfY2TvolGqTSGDqBBEWYdyWO/pQLokiFfkNiFvdJ7qdStG/Yp97fOywDqN01KnoWubPQJjPVVRb7Kt4/X9rSMkzpKK4ldsdG5F1aWNseUEzaJtiKb0bdLu3gDJ70PKQ4nFAiykEVYVkDiNk6Jy4dVDOCQmTq4OrqcHKfexmTDkT5p5JzgNs59ethUSjMjJ1EUt6k77TzjC8Xhq8kZw5Mui2r+WrJ5dJtWcGVQ7NM9StVKCsPhsIAwEYcqEdRMaoAloNpcoTMJprRBQmocIBQYK0Qn6pzMDR8/xTcejn+OPPYCOqEM14xBShWcfKsAA4A7NEjkDfAIGXJuE5VekJtbZDq2QAOFZIbcpu6zH+/z07mlfNwuevyRY+4QfjvxkldQUWpJQcLb1F/bKRFzUhRV6GJZ9NYc2WB8BP+zLf3U+KNUZg7seb+FPI6oqi5Ltoxu03jyZ3siAyMHzM6RTlm3aXztL/3wtlPdtXL7qSNgP8fdJdNf/RWH5baEQhuybXmbxlQ320iaRhGGTE2G7hxJ6X+ETkwYSsWDIQngIVSShyn8A5BIFkJhtoFOEzuWeMhH/Ow7f0rsiiQCBnVEfQcUo42kq9ym8fsndQculVM2kmgLkI/NAJMCQMzmEFVxbB7vv/xIGd8pXwE0w2p07TM29fTfcJh/Sn8zm+F5ZnB5RVPcuga7NmprR057twtI0ptSSTdkIajNUBxn6LQ7QAQBvHOO3t3H75/73E1pV66Up6BFj8FmqPkytModVn2OsYgjASS3++XSXi5btZ5SoTWFh+sL+oDH0RS+iERu3+7z+3E0BfogN+t/qT1E+cLV0C2xJJrqX/du2m0WRaHItyS0eGoH3c0y6l6RZ+/kKfhH72qhmjvI5mpS+mdqv9SZq0gsIZXCRNtC8TIXfl7QzUS2aHCqGJhrGsBmDQoUC6EqhylRji0AiAmLZqmtAAGvMDmsEA+/39aQyqghi1VD+CqK0DfQU20AfmwwQ8yyOImEhkyNSSSgMcidHX6lM1GXMeoDw2DUYtrJCsZN7dcTSW+JdQtDuTJsn1AKg8RXFXrVddjZm3CLGjSgAec10D42ADeZKNgP6S3Lsh/8iPrl/uqLp3P4j/oHyfleAWly2L+HZB9GVyaLnyD2aoDJtmQ24i/swWtQqZ5ioW5/i8Y/EF1VmCzXYZfGuoPxg8niJ6CqDXpkpkIaiZtfxpdGQNTxbxitGyDQLA4xC7S0g1pcjtKuqGMnOKQVgB7ZKr5weC0qpBpAItso6FkDI1kDvQbjHosVZjE2dlmGVwptBQzAncF/hYmgA4LfmQYvF3BsFrYaOYnSFE9876uhTM8wejdxiM1Kt8lv6T+0TU6juCAkG9sH3EPUlV072Xj4G7iIDIdVHyBS4RioQtOpDv9Swx0AM6osfgrbvQH60ACxamzUZgVorgKrAJW9NRCchD6gNVjrFkmyxcp1Jj4z5JKil471j7+tsvgmAPACbG2F96TGu1jjWrCt2gYozwbwmqaIbwLkbsMR6sCTcBlWuDF4ExzeBGAxsc85C84JyCsOXBVnoaBowybvXIGMMjb2yG63Xjqv03g9Kl4lUd6xJbwOvX9nZI5iSQTZPubh5RYqNP86xtA7hbBCtV/ikJ8cY+rohxddqovmt74YdmnfEnE72Vp2WJSWRCpOXTsnyCmj6FyB1YSDzqH76Ogbc+pWmYcDCJ8ks9mMZDdO3clbmf0s40eXiNHKQaTLSemIqTu3SQtGyoWVoE5Zsp6culfvnLC7vtIpvRBsqE3kuZEeAFP3puelteIZFCRWdw1zG6d52eGRnQJYF+wx9bazPlRaN5ixZKRZ1dRdx8+uvVyepNRGptQh1ws5QBm2cORLFQiKYTeGx1eDrC6DdVkGTAdglwaIe4s8xuYkKWn7NQd49kKN/isS/bOFO/aCld1IkleyhTucBkhV/iL0o0v4TobDCxiYKvS9UMo1YUNtwIHNoJyYgSdqgNkxyE6xF9v8V6vGd3T0xFPONELNyhpKxpiHzV951rE6ilOXPjUrOyrIY1hT6S3eMRPMKm1GEg+3BTz8vfIANiT/YsU1nbr13+RwRqnq5Jj9lPRrsIYdh+RWqjcAADDSvjgG9YnCRV+vwqbQe+MW8OBm1mrxkCgfH68/tbN2SKwUhcpFTjSp+uCjzt3y1nk4ynLXu63E0xQkydQHVAVQnikKIcyeHGkb8oDHJAhNmb8aG7oexkXyNAntCuib03hLJKytQmLQO9E8Xj679r68H+tuW5USFOw9WKN237dL2wehlyMcndQbh4NOHbK6xsTMht2x9kmckUkczDhNSWqh7mE4uRJW2f6MZY35aNfuz5p6/dn0UPWAsVGGmb8J2r4uySRJKk4YGAyaioQObWGPesUK9FPRebYPt0s6rbzKCFetSJiiiHpwO3P13pWkOPPULdOPL2ySWkZOExx6xTk5ClijrqIn2thBzU/C4ixi3xuf6tjtxkgLDtkQb7AFnI7K2ONG0wPOdraC3QJsjGyNdh1eQgvDRlujW4uWqQWKwoHV6wAhchl8aSG54jAFcGhUOnA7HNouDs1Ll7MziG65TwP+WRXPytwWkh4Wv7JBK7IhaRvbtyWK61aCCuvY3iFRTh7GkcKKKsW5Z8Xgp+6r1/MiI5FwBTiJoRVUhy5SEw1DHNrMNdrMaPeyI7Cp+5ra27Udfh5ysRp7JpIg8gQcx2WDX4aZn6beKj3igt3r/kaSXhEfLLk47sNpkyE6sAh1SouIRO7FiIf5rrKoJWktPuR6dY/AGpgi3piaxP+lAQ+F82QCyNpMz6krZVMrNAuZ7cyn9+7aJv5yhVILr0jq0iNUd33pErC9Wn5kJ34zP9VxFKCEvU/RRPUJ0qyRVCVnyNHD5oG0A4TJdQykqrHs0whBnwHBlMkSfScfQTWR1soCOJr1WRJXjKhPAGaKhk72NufuNHWrhsA8py6DSqW9IdOWTWBvgwAeCobJhe4cue/M3dR77YVEU0sJ1ZNiYdultTclGOYkPtGYaFAaFaGAd3ZIbXJMRPIcmAyS9oXLODIMKVShFqGs5GH3oBy0t3ZVoO9T4L3kSTlHshqVzuNn2p1QrTlH4lH/nhrhGrWgMbjH/MtEL5+M9HjevvHJruQpI4qRwL6WScxHCbC/SaqMZd37HkKYR1p+CgVKv58+XPQDavvL4aUqc4maPI507Hlpp+UweKGC/2b9xeD306nrzofhZWHoyFR1C98Pr6PuhootpiDn0Fuoh2hiP7ylQ7SqVMYSYGzkcfgf/s25aFJFgjDD1tsN/fB2cHMqdXN+s6Ekyy9Xy6/6zVOECmuwjE5qXJl1OIi3YdDmHNkCCt+2Y0dZmQBWENjLyQaKipuCswuZ2+S/2kQO2onSopTlyW3BUsCfU4A/zGWMJeGSPmp/6v7sAL6Zsh8he6gh2g5NminBkl+ceD7a1LUX3TqUitOmIQHnj3DpeaRenSyeQmEuA1VM40js9dHSVLrp298V0OQI2OI6JBwNmNdZ/AQxDgMEWRlV1dB8AUnfGiBJLM7UAgIn+FZbATRdQRKlgrl9BTmgGg0jqHBaTBMtfEFtAzxKA2xYE8GJGfAjJRo8ECWFv7HD3NGZAp/CTM0ZGDFbvOi2iCAAmMwDXcK6yAXf+7SbWCiHn4beApZDP0ynyIOGLkGW8D+oWJmKxe4ny4G6mFLTK9iKtVuu7ffxnFoei7B1BQy3DA+qCuOKKnT9oCEHubgG5KUMikVCXjcSW7CebbT7pROz5dAk16lpPqvUOne76bTJ5CnlnMXxR7bk5275O9KPWFY1CdvdRTyc1Cm0HTmWfeacbFSWQY6h5/fxq/u+tUPID/XkQB1YJTma9DE9qGY6p1ou4ufG5nRNQrnm/m1ol/uUoMJkhWbZ9Ht9KOseohlIsnVbkw3OdBfKS1Vs43cWsZVPtqwPzb1zmeeYgmQjzB+96qIZufSgTtJA5csACGlRulsAJi1Q+1WEBBfkq3bpNeS0UmbJOam0Pg/tbX7XypBOycpgn3KOJByHmN3gPQX02pVvV2XJFTueProl9f8ymVLSydkMfQ12WAaUEvFgs0jXwrjEAU+bhx3duYzcyVKWuHxeZZhURcyrOCnQ/7GxdIue4hia1RhoQdnaNpF8TkIs/HWe+2mPVfEqFKrQIFfYeJ/0Si2N6vMVANyRDfx5lblQO47CxTXhfrmM3b59xH7R3chKuZ6xdcHt0i/7IrhSmw2oQQVw8QWgnAVUcQrQSYoG/xVdqTIShyB2Byk9E1VESojKgRVuKlQQGIyaioRHzdNnWpBVpTL0YreJ6fPafvtYSTGumhWoInKSEjxPn49qage+U+83MNs2J1mw86zymUoJDDn28pZkpmOyXDUB2Z6P73WpXVvWsU2cmsfJJQnlWSMfwCpkkgkFBcOqfmxRl6fiY4UCIEHSwFRsYevjH1S3Tpa3xpDg4zWa8JhRZ5jsqlZsHru0S8IQkZtgxuYfS6vfFivVN2pyTLvv+hRKfqCm79I4tW9dN7wlojG18mKrgMhtakAkSFeyvUKikdyaAjy9UGmXoVwH872xALTGT9hahZtJPGZJIOZ2cU+a+2Wtsgm2gkpDHrnkKmfHjH6tV4M/Pe92aoySkRoGW6hDhTgJOmOnjMvUDW86uaslRM6W7LBl8bLb+mSScXISFrHF2dAWugOhhE7ZQnONdvVV0kf3M7fD+bO93Lukt6HE6kimzxb5fju3S3d0tYp8wI6n7zdP+O/Ow2ovGiZlhyZzlbq35N4T4m+J+GHcWsUla9EQd7nM/3DZjQpPPkQR/vmVK2m7nK3kttB6W5eHecVO2h6BQv21w/KZzKlZOMmP2Ozm/jzQLU88TayUm6nZscYWeQ3xLK5cDTUpzfGI+9f89GJlKyoj34wt6BDciJ5ecCVjk3vgFntrdT2P3MjI5HuxRfYMiac3Q4L3SG2MlPLmlLO6RS/ckVWij9elKmqqGUnmgcHKUL2XmSKhR50FDBJqCPex+vdL4plT52q3JbcVH2UNcNCKbFTEBljRjBx4pRl2rgZdDgrjMBIzICYYF5hCxiHTdyjUHQjGrsBfAAjlYKHlMBZyJBnUX/Pa+Vc3QoHnKnLwe2D7Y6SUJHj7dfitTXSvA4S4JpXDHt/2Z+5OGuiptIjIjOER7DQO6Sorlek9a00Uul0pLEAuCGswj8AMzzbkZOKwneZUWbv9ZRk6o1WY+lVh3dQGzyMo70WWOzTDQR40NVqrJouTRjReI5S8ik8VLHeAwC36aBYMQsxXrQsGM9ahB5jHeSW0hUr8WwUkVwXOeoX7WQPdVcNxCJR/C8lB20BTooEjUgMVCggRugxgDWgDOLD2HDRwnXGYXKKbawLP3kGw0NkAcHcWYHbWRMyvAY+a04ltI8fhlqU3xFjxyDoa/EizX1v9YrHOS3vVjXwFP+LiXHRVpiCwmCRb2DtYl6N7jEmyI5OP5TJ7Kaqvh636qZuW/rU/tclUo8oVWyNSYclRSfI1vjm35jv6O2r1HRW+g3y4l/nU+jRHBy1UUPTmSKk0HzTek4/uZ/8FqkcZvUDYBOXoC4602SoFYWatzH346bK/6FLFwsSY7OUvl7kfZm/rnIRtVFjQEUlO03KZD3XvFFsaA3E2v14UEK6QZgSmJCeSy9hOkxbpN1JcDW129Mzr0G6HlY7J4ieI9xlgUyzZ8VvGlzltHEruK8nuWUb/Eu4lhhXVNychtcv4V3JNTo1BsesbGxrIJg9kK5PXcRLItSs3wp/nRe5nQEqgml142k58jzWUKzAne6oh6FOQrqTWODqT3Ud9DtNt1GVzJePBFxzC33N19WQnLQQ/QgE7BeYmUQchoIYy5EpA38Ex1KEp6zDvguKQyYGEy+mtZfv2pyBVJQHCgjJD1D3uUTFEMMqwpBRjiHtQEyr9ZzS6HxtYbG5j0wrfDDulOEd8fIDuA/ZrTJFjWo1hElKZiF16fIAuU6ypka/CPhPERwgsoU8AKFzIbZGAQvEMCWsICDk2KJvm4ZfmoajLwwAxD/RRbGh5aPjnIfUvUHFAj8rA5NbUYFHXUdS1wW3Dr3MQNnSklOcy7rVecpkRGRBdTY63JMeNzWO2DlUsVqN7GZf2koJvGtkTcg/JPD7U9UUHU/gsUl3u2fRN5vxw8nE5aRotoh7ullLt2+Xs7/ZBU3+BSnlus+TENdQlnRUqKAKr2bVM/XVzWtA7iFxWNYlPXjzHsV2685peJbR4uYdXbL9k+tm7TkvqAyT6A7C3DG9rHRY7sLwmi5+quPmh7idFYpfvYbinzMZcSvaYAqlhEbdSbPAFdlVYDRgIRZoCG3QJIEYZue8gXcFbw5TYXMBkNxUEL8EiMFXgLrucVIxIjywj8X/warNQlrQZ6PBFhhluRDxD4gy9E8dysvylbDlRd+2XZIZVqf5ZTkKR7xodqqCN5IK/D/2/7slMW9Z1VaTQh66Ny8h1dh/+0QsqVwg8Msu5D0dGMKphSM6K78OORi+Zx9H8ir60dUap3iulTYADzOToHhcgAZRo15Vkd377vvQ7C+XlUJPaM49Yx9VBYRSNGttDRQ4AHsGPtMeUijw5S3w+C1a8apKru0XzGgbqBJb7dPXrUAfCTcrF8Fe/dKcuJeGlkEstyCYSYh5co7InZfehLd4RYl0pZf7qJdor8zS1krAkMY8ymsYilMr0nATqbOEEE19PLsXvZZXfHxE9cOqa1GuNZIo7Sw7ENovUdFOolIkja05wv83dlOilKbs9jMhyDMZy1A8FBGegL26h0WTLyFuCGjWc0p0BH8nC0cCS2M3tqrvzabwnBbC4B0hncpR76JY5S7atwjclVpRSsMNC9shZUmkjRk32SpE4oktAJu/3Sb3pZaXMJdjt7cimQh0NTeDPGUgYmwY6RizP5H5PyJ/qEA15CMnaXFv8ydtQKkumhtyMQ6RjgIGREI6C7OTuQx6K98oy1ZIDiEdob5y6d8+RMFRbkR2bGHHHemoU9qAiGwKPgLp0azI17iJZtCvYTMMH5f5uyM3zs5texvn4vJC3rCSbZ1u8BHNfKbcA1v/tqE+myEMQ3DcYndqsiEUO/g2DWgdfC2gs2waqXhmJs/3su690eakigsQjao+RWtUGcBVwVez8oBwkd4Kvtl/+de/u3TEvRgH9UGtbB9BMToJzvlKqmJUNTQiy1dE7hbzTX13/9q6XZSOZp7aJTUiSa/v13umpWa3mngVJZf3qL+dTO52fmHXJea2D+IvLSO3Wr/5yiQp7mg4gAz9uZwlNfxP+zRrQ0eCzbUvQ0cB9tRUQCxUEEipgJmrkCjVmt/ActNEmrcH3NgVQDBDJy0rU0g16CwafHPrHkN8zWOswVXHWIi8C2oGVK/zql/cnp1gmMwOHZM7lJArHh07SIeVUVpBwTB9nvC9pKGWLRHIufagnvi1Gvj5wZS/D46tDSd6EUYDJ0MHKMDw0EWhDJo7hko59NYycxRWhtV+GLakOfSj4EpksXh9UNuOSt+xm0C/vR+QSNTcyJJ9RBDu1l8tLe1KiXZVsl9uc1EDzQZ8SVmTBTqbaSbyjCzWZJNC7B6jlnyP7repgxck5fVhKVSiPaoPHCN6bgS6TAXvO4qi3NRpJgo4Lxx+oSYjJPlzoHVpPUEK2sCe1eRaHXqjZgBSrgDKrkERUsM6q0TqrXcQYxkkZPsEZqIl7IrYcY+NOCE+fWE1BktSGPdvBzcXlNuYJ5IYjHlg3Tck8QTbtccfDhC0074vwwwqLapjdo9Jv93qaqnZVinkFaVe1C7vvqxhJ9CpITtQubsLzkPXa72//4cxKaRuyYhIy6uwJ0cNbErZWLzeZi69hd4skV0pAOWmyEmNp5r7YHgFTJjUVvg5QwU4ZzFtYaOWk5PvXMfpVPWrMwC2gDS4n+VH/vvQvp/F6m7YjY1dhlrVKzwFoddGumVm7//Of0f/9v/77f/73f/8PGn9uFDRnDAA="; \ No newline at end of file +window.searchData = "data:application/octet-stream;base64,H4sIAAAAAAAAE8y9W3ccuZHv+1X26prHadnddns880ZRVJvTkqhhSe2zZ9ZeWskqkEwzK7OcmSWR3ut897OyrplAROAfAVT7PLWahUD8cIvAJYD8v9+1zbfuu//4n//73VNZL7/7jz/+8O9//MPv//iv39XFyn33H9+9LuuiffnuX7/btNV3//HdqlluKte9euxX1ez426Iqus513/3Hd9/9v//K5jS/+XDrHq6e10xu49/hHOcvq7um4nM8/g7n+Oll7fj89r9CuV02Syan/S9QLm9e37p7OpvDT1g+blGuiuqHH//MZDb+Hcux2dxVTAmPv0E5Xdf9H36kMzr8BOXzrqkf6Gz2v0C5vC+ef3FMnz/+huVU1nxOh9+gnG7u/uYW/fWSzmv0K5Tbp3Llur5YMUNx/DOU3+fP12/orPa/kLn8+Pt//7cffvrxmMtF/fJ6Uz39tS17d7N2bdGXTX3Mtn9Zu+53ZJqtKlbLT386je+T6CDXHTMv696198XCdb/z04iZ//D7H0+1cPeyLrruTbPYrFzd/1pU5XJahJiWmZDDSP2/frcuWlf3VIEYtKZdutYtcZKTQJri+6ZduLlrv7o26MJRCFo4DahyPQ6wS5ymsHXF8rKpF65VdISp0Amg75bfl933Zf3oBpmlBWjRVJWyX45F8sKsiufB2ryf4zBjkdw1sxrGnaZeDgJ5QVrXty/bhLiJmk2F8gIt7z4M/4BZjunzYhSb/nF5h2Mc0+fFqJtb162bulPUyEQmL07nuk41nE8CeUG+lVV1e+yFOE8gl3s0FcuPrbt3rasXCqxALi9Wsyr7WyMaKZsXry9Xrtn0Gss8FsnchMU3RbttE+cFcHVxV7nP/f2fLfM6Rjrz6BvSqGcanlTmWnteV0WpqaijQDrIj38+rcOa+qE5pr1q26Y9Mu0V/Y5II079f/rhx9HEoe76drPoFfnOpkL0JJMCZ61ct6l6XP0xfbLmb8cUHa5+KpTM4FpFze8SW3T++Kcff/jjaCIwnhRF1db+lMist6w71/ZuedlsakWT+2IZSFZFv3hUg3hSOTiaZXlf6kE8sQwkS1c5fdN4Uhk4NmtTH/HFMvbW66XCPkyFLBR/+umnP5y2fr586ccbuxr9r0b//v6HV7ucvv9Rg/WKyS7efKpKmwr99pU20v9q9O9Tpf1BVWlMdoIPaNpgZYZ4g4kYNvNQ+KZFs3QfVJ5iJJGdZjzh082EZpRodj7Xttf1faNqv71AdpbmCcfYps1B4BmCbfd8V9y5SmEIpkJn6dG63nwOir5ZN1Xz8PKrayf7H1GgUPAMNVTXbjGsSX52tX+UgSwNKOn8lMVGYykPyc/Ty1fdg6qD79JnYfn9H09rxceiuzqOHhzIF8vOVSyXFi5fLEsfGi2tL6vS1f1VvWhf1mQn9xPIh3XTXlGVd6uBZCvLDXNSwYwRpScfQSH0y3yaAlnjC8onHWDRuqJ3b4q+GJ8pR/R7MmkErfvWFuv3Rf2io6Dk0kh2yyWcYJw+TfOD639xL6ErpvWeUufQqlKaSefrl4uqJ2evkvKxVBpFsVz+4pQMvkxqr181X50aghDLMf736YYFelXt5ggqW0DLp5G5XQqQ45Q6i9ar53XrHYBB+idyqdZIU/5TarXWYE/74uO1sIY7/JpvH3uSI76DfcQ07KROVcb3UOO6oiuqqUrzWoogAVdRfjVr108xzdDKaQqRtGaK1wS6Wgo6YOI6KUrGr5A8FP3aCOqp7Koo6KTq9RClX7kSmkIkrIFiLMDqZ8qSsO6h+kRgeP86lwzv/teMhneco8LwHjAthneiEjC8UV1xwztRaTe8IQlqeL1qVhveiGbM8E4g0gxvtCZgw+t3wFTDGyMTDO8UxWB4kZ7KG16/k+oNL6Ffa3gnECmGN8KCGN4JS4rhJfpEYHj/sWmlCI7T7xmN7zRPhfk9wVoMsKcWMMGAvrgR9tTazTBFgxrioMrVpjiqHTPGHkiaOQZqBDbIYadMNclxOsEo+zgGs4z1Xt4whx1Xb5pJBq1x9kBSzHOUBzHQHk+KiSb7SBBqN8T33LqrZ7fYDP1QOmemkmYMvGOzV8TfkaWxBIXxMEBsmI4ifmzMw9hPjyOM6CGy1Gjqs2QNE3akzOOlnSzrag8+YBaHQOo5s4pZOG4WIA2nzuqxwh8+i8NEfwYdI9MeRfN4KSfSGkrkYJqnTDmfjvU93y1dPhb1g5v3rStWgksKkuVzR3TWuCsKS2BwQwxE3AUptEfdDwNhdj0SG+h22MbRuhyYBXI3DFaSq1HUFupm+K6d6GJwVt69cHB616IbA6xb4bu/2qWIREp3wmAluBKYDnAjDF2CCxH7VuA+tgezx6ioy03bNa3kR9j0GR2KrEPhWfjCWVxMBAvwNQaeuNOJYNm9D0KLuqFok6r9kZoOc0wR0DQPZahR2FXFB02qz9LTC84rhmvwYrbRxbuz+MDS+zWIUevgIqApnk7Ni7i8CG+K74P6aMQJ4u7vvI4vg8sTh2dw9QXzMCMsMoecdAlYuXnWRduXRXUrXEnmiXxhO5N1upIyURHrBbihxqMk3FPTMMq31aRhZ7mzljQGk4fg+VjFW2xiG+vvsmm4uBttPJL2XptuTGqn7GeYrOeZpuecoGefmp9pUn6e6fg5J+KZpuBZJ9/5pt15J9yZp9pnmWRnnl6fZWKtnlIDp+aiyPkm2Smn6HIpM0zaTKfqRiq128p5yo4yGx1ZllN3E6PJteU+hTfWrtXZneVU3lYG3P3lOaW3jz3YIWY6tYdJE11k3lN8E7XBaeY91Yf7buBGm9W66Mu7sir7F8l3BukyOkw6b4WXDAthcY0MBuAPFfrjTpDBsHs+iQ51d2wTqX0cTIM5NgYszZspagx2YXwnT/VbOK3grDg8g4fSjQbeLfEDQe+LRCatA2LAUrwOzIe4GoYvxb+IfSxwKrtTkefHYtP1bim5FSJlRsfC5a5wLVRRLM6FRQHci4oh7mBYFLuLkQlRJyM0l9rNKIgwR8PCpbkaVc3Bzkbq+KnuRkMsOBwe0eBytCOEdzrS4NC7nQiX1vGwcCmuR8GIOB+WMcX9RPoc7YCu68+deNbupcrteLyctU5nhG92OD4C6mwQ3aCj8RESnQxJpnIwYbPYnEucROFYfKgMTgWpKZ1DITp0FmcCkMYcSYBmdSJgz484EKLTG50HzWNyHD5UstOIs8EOw2dLdhZ0n/IdxRu3aFaHJ60EVxGmy+csmLxxd0EUwuAwOIy4y9DojzoNDsPsNkQ60HHwTaR1HTgN5Dw4sCT3oakx1IEInTzRhShoeSfC4undiHI0sI5EGAhqVyIzKZ0JB5bgTnA+wKFwfAkuRe5jgVNpy69OuuMySpDRjXiZKvzHiNfiOHzFgMdANMZdha/Y7iNIHtQ5hBWv9gpx/Zg78FHS/ABSK7ADILpnquUH+ASTHwAZbD3Yj3kjT3RhvXWnKbRm3UdJsedxIsSQ+0QpFpzuK77pFox2ZnNtMdSpBhMwlVGdoFGUzKFOB2T4QJOnLR1q3DRmTcnAGzDRdGn7Du/eVY49wRTKRjCuSWnuIEOn0wqYNMiYxXtIYLae12XrlvPoPgaRMKNJYzJXGDiiHJYuy4EAHVhDEDe4HIh5pirzocaZbyjtzFXBgxlyDi1pJquqNdjoC909cWar4RUcBAuon+lqxwVv5oUhoZ75Rqi0LoFDS5gJKwgR98ERJsyMI33NdzU/X34U/Mvh13xOZZIj7kmOmAb3MVUZ9xlxXVFHMVVp9g4ECegS/GrW+oGYZsj4TyGSLH68JlAzH3TARNseJeMNuoeit+JQT2VNd9BJ1faa0q800lOIBMscYwHM8ZQlwQZTfSIwvG25fDu/fNzUT5IB9lJlNMRUzgqD7ONbDDOJABhoWHfcUJMIdoPNk6GGm2kWtQEHSTBDTkKlGXS4pmDDznXoVAOPkgqGnkYzGHxNz+cNP9fp9Q5A4NE6AhIqxSGAbIhjINlSHITQp2hHEX2wNUiW21XYH2wNS2B2FoYHWxXaQXeR78FWiU3lMDI82AqzKFxG3gdbFbWlcxpneLAVZ425jRwPturGQMRxZHmwVSQyuY6cD7bCdLDzyPlgq9i3fPdxXX8tqnJ50T5sVsMnNXkPQqXM50TY3HE/QhbF4Ep4lLg30TFEHQqPYvYpEULQrUjNpfUsGiLIufBwSf5FV3OoixE7fqKXURHzjkZA1Psa9Qhh3Y04ONQeJ8aldDo8XILf0TACrodnTPA+sT7nO6BfXHvn2qYTPM8kST6XE2aL+5optcHJEMrj3gXUGnUrhHKzP+GYQEdCNoLWg0AMkOsgcJJ8Blg7qLOgu2yil8AYefdAQen9At63WYdAd2u1J2BJlC6AwEmw/RAVYPQJqgRrz/Yd38y/L7uurB8uW7d09fB2sWTwmcT5TL+kAHcCXJkM7kAEijsGNUnURYhAZmcR5wTdRqQBtQ5EyQW5EhExyamoaxF1L7FhkehotNy8y5FB9c7HMn5YNxQbOmqHBNApXZOImOCklKSAuxJJExwX0BcZF/bGrV29dPVCekCPTpvdgVH5q/2XXyBmOC6Pyfin7yWsQD4bWdxQ0PUUD6OPcmgdPAkC+3eYA3XvJE6qd0dbLebcmc5t9O0glca1k4A5PDtcg0rHzpmLPH5d0ztjzpPrmFbfKbDZXCcJmO45QU7ccZKc6X5T6KG+2/zg+m9NK0WxjVPkc5FBrrhjnCAbjH2oOm7iMZ1Rwx6qNptzhgg04lT1a003QgAZ7BAmyUxjNYMaZ7KjJppkiJCfNhFI+kUV3KNZZ0B2ZrUL4DiUhj+ESTD3CBNg5EOmBNPO9RnGoH8qV67ZSBEDRMLs5j3IXG3lJ+WwG/sQBLb5GAFq+kOQVA/A8OkcAdVQRn+A8GjcQoiWwztgtaZ0EmR3z+MrIN6oyyAAzZ4DHhcxB0IOCasf4ahs7iRES/cqCCHuXELCdB/D9bXA1TT95a5/i++KB8kyuhkya4WTCUpgcTE0BOBgcO1x90JD2J2LwIa6Fq5x1I4FZcHcCo2V5lTw2oJdCtu1Ux0KzCq4EwbO4ExUY4B3JWz31zsSiUjrRmisFCeC0iEuhKZLcSBS3/Ldx831m0vBbRx/zucuplnibuJEanAPntK4WwC0Rd2Bp9TsBigW0PwHla01+1HdkLn3MJLMPFAbqHkPu2KiWY+z8ebch9GbcazPsuY77K5qs00SKM21h5FgpqM0gHn2aBLMMtk3AnO83ve7+NYRmTSjmWazV5hssjQW883DAKZcRxE36zyM3cRHGFFzLzWa2vRrmDA3wOOluQRd7cHuQRwCqa5CxSy4DQHS4ELUY4V3J+Iw0buWGJnWzfB4KS5HQ4m4H54yxRXF+p7vlj4WrfjhoNPv+RyQlyfudUawBlfjq437F0Rf1Kn4as2ehKQB3UdY5VqfEdcOOQofJMk7IDWCugSiUyb6AYCON/4Bjt7ig72XNfNEx1XbdppBadB9kAQrHucBTLfPk2Cv6T7iG+nbTd2XK8lMj1PkM9RBrripniAbjHWoOm6uMZ1Rgx2qNptshgg02lT1a802QgAZ7hAmyXRjNYMab7KjJppviJA34ASS3oTDPZo14mRnVptxjkNpyEOYBFOOMAHGPGRKMOdcn/EN+ty1X117WTWdeLQbJMtn2umscfselsBg5BmIuKVXaI+aewbCbPMlNtDws42jtf4wC+QCGKwkP6CoLdQZ8F070SPgrLxb4OD0vkE3BlgHwXd/tZcQiZSugsFK8BcwHeA0GLoEzyH2Ldp9RB3HWVyG3VmIQ2Zrbm9dt25qeej4Jnokk0YwWFf+ch9R+GPyNL3fhg5x2dQL10qfMwkAKLnkNriu7xu89vep07Q2T6DCbUK1LuVkxDANyTMByTf1SJp0ZJhu5Jpo5J1iZJ1cnGFakTahyDGVSJ5EZJk+5Jk45Jwy5Jks5JwmgBOEuat2PTPqVqYpc08ZiNy1cwevKGbzTqGgdp5lmAzV1hWdbDwohqOUui+gNQO6IQou0R9h9RZzTHQnsnkojEjhqii4DD4LrTmd82KGYxYvBhLH3BmJaPVrihEScXDM4DB6Op7L5PIouGTfhzHCTpBiTPaGfJ8L3GJfVO5jW66KVnq/JkiW0SGSWSu8YVACiyukIQA/iGuPuxsawu5rBDbU0XCNo/YyKAvmYmisNP+C1xbsXNiunepZYFbBrTBwBp+iGgO8Q2G7v96bSERaV0JjpfgRlA5xIjRdigeR+lbgPl663knfmRklyOgyvEwVzmLEa1mt+IqJRQqoE3dNvk7AKSEa4+7IV2x3RPFaF1xQ2Nhq5xPXj7kdHyXN4SC1ArsaYkikOhmAT3AvAZDBsYD9mHcpRBfWOxOaQutGfJQUBxInQlyHT5TiNOi+4ruLT0VZFXeVu9y0XSOd1hEJ87kPLnPcjVDlMJh2FiRu4lUEUVPPgphNvswHmn6hobQuQMEDuQIWLcklqGoNdQ1Sd090ERpe3lXwgHqXoR0XrOuQhoTahUSolK6ERUtwKQpCwLWwhAkuJtLXAlezH4fRiEIiYUZXw2SucDVEOSyuhgMBXI2GIO5qOBC7qxH5UFfDN5Ta1eA8mKvh0NJcjabWYFcjdPdUV6PgFVwNC2hwNcpxwbsaYUjoXY1MpXU1HFqKq8EJEVfDEaa4GrmvBa6mLequiIUV+KkyOhkqZ4WH8fEt7oVEAHwLrDvuWEgEu1fhyVCXwjSL2p+AJJgzIaHSPAlcU7Ab4Tp0qg9BSQUHQqMZvIem5/Oug+v0er8h8GidBgmV4jFANsRdkGwpvkLoU76j+Fy75/X2qbLdMf0hUFvwGqJIPhcSV4P7E7mUBucCwMU9jZEq6nYAOLMPQplBhwQ1stY7mRghVwXgJvktY+2iTgwbUokezVYG3r0h0HpfZx97rOPDhp3aC8KkSpcI4Cb4RxM14CwB6gTPCfdd343+FbseFCTL5y7prHEXGZaADUboNlWvgjiKGPXDbpnRH3fFcOmBG3AMBH8PLtotYTr5dhzbRYg7cvmYwJtzDJx8fy4fpXirjm/R4G5dPiLuxh0D4927S+LQTjilHm+ZZKr6u7qvn4kFmkAyWEmTRkVtoRNF3pkkTg5xVn5CyMHpJ4G6McBO/Pjur57siUTKCR6DlTCpg+mAiRxDlzB5E+l++tMRLkh3O53RlHXv2vti4brfMUnFWRvo/EAtigvkXLlOaH/66ac/nOrhy5f+Ze3SgV4dM1JxvQpLhlj5VMxXQ27f/5BOeyg2P6EYG4xkbMKanAM7mEFmqW/xCYaMNT6ZwuWocvHthFzgo5keyiy8shA3A+mDK5hGJQBQs0uUg5thKs3iZIp0Xz5sWnf1vK7KRdnfuq7ZtAv3vqiLB7casjxA3m/q7Vyo+x0gJbuM0XbCxV3Xt8Wi38UUBb5z+jPuiC7f3cyvkNxmh5R0bXp4jLaufKiL0PFT6o5JA0+/bpt+uxcD6ffma+US0r5NpiwpsRvRrYtFOFulFI5Tp+ltXbH82Lp717oaVB6IpBPsBxas/pQ+TXfnOnKVRXaxY9o0nYtt7AWk8pg0TeNTWVWgxmPSNI1VUyxfF1VRL0C9noBW+3jVcLe5H7rm8rLZ1OEGI6Xcl0jRPvTO1/v83jSLzWC1w/0Orl9Tkik0Xd+6YoV170PSFH2PRffBPWO1fkqborFG1dXpuvr2BS7dKW2KxvumvSoWj5DGU9oUjVuTgxsnYQkE1mlz0bbFC1anx7QpGovlcpfgbVWEWzGUXl8iRfuqWEM6d+lSNH0r+8dbvXcnxXJwaHx8KJNW58/DJzLez8GaP6VO8kNFv3icl//Aqn2cOs3/fBv+iDmcfdJEe1HD9qI2lG6yIvifonupF2/Kbt107v9Aar+MRb7o9Yu7Xbji2PaWl4NXUKbyd6mu+2ETvWk19XGQMVSIb0zflV0/7OOjpnSUHtuWxUjAWbziqAHVCxrWxjel6bpbt2q+OlUDBCJZ6+L+HquKbbr8NXFRVYeSoXNuQiwnV6XCqc5E0RbflPUyFcjJ4lYlNoPeJzxHa+BLQ18iJ826dWtX6+xnKHMGopt6oTMqtFzWXvPV1f2w/4/130nynBwPrn9fPOsGUyiTk6gzEIUyiUSTreflqiR88fBXcaN5Oq1sVquCmsces5mdkjATmC0Hu0lUVksyVGekYZzIoKPbBv/FlExSmbXM+6LfEI3v6zmmM2halzWxXj5p2P9uyHnnhj93lLk55T9JZdDytajKZTGc4lT7RwQlbWRqg9bBg7wp+uKu6CjjdVLoJzTV47qau/5n18f7A5EW0zgZ6w8PrXvYRvBwJ01+iuTDJjJD4rxJNGQBN8OwLteuKqkVLo0xSs/UpqAZWVjTaiNra1QnuTlFaxT3p1B97nldFZSzoHWekifqLZbLeV88wNU7Sp+o+aFtNnAdHxIn6qxKcspN6zwkTu5JPbVtzfWlXtq3RnU2G7iUu6SJ+tZt8ze3gHWekqe2Z9M84Z3omDpRa+uWBV7YY+pErd1TCZd0nzZVY9PCpdynTdS4qektW1rnMXWqJXLNB1egDnt2Sp7cj7qm+rqNcSnKw6erb9bbEBi8d4l5BHOAYwzI/7JOCrBdYD3tK+nH73/Y7xp//yNe72KO4o9sSPou1W9Z3FcnnWcvdhhW989u7EPpD3/4w29YDcealzsDdZb2G1bIqzHGb101sQBS3aQ2S/3sdX7/0z9nwEBRe4wLjQfumY02EMxHQ3nxfJn0CyF+NAYd5ZeJJhb4x/VWNjIgIxcbKsBDUZECmYjYIEGmRxNxgplIuNBBdlPAjx7MxMEFFNIcRExhJg45zJBbDzGRhmYmRfAhjcTHH2ZhAkMS+bElRyVmYeQCFZkhFsYqZqFgwxdpDCqCMQsHHdTIOImzELChjjQEFe2YhYMNgKQ5qBjILBxMWKRgeL3IyDytwgVLMq1CxEtm4YiEULKbqBOhzExIuCMNFol4zEqnnNlIcZBZuITQSG6vloqOzOM7+YBJxm+SMZOZfKZmT46IpMxy+hQLd6RphIjHf8b2lzIOMsgkUyikBEdHQ+YylXwoDWso9VE08CEJbHtyLWHiwZKc/nMY4ljIJDfAbVGTcL1QgZNMtWhiJ3W1IodPSjVji6DEDzCVUIY4SrimxFBKpo5M0ZTwIbridFcXU6ltH9Wi1xhZiR/ORoIruUNaY3ylkksOsRTZbFGWcG8SAi2ZPmWItcQPKSPBjdxhpTG+Ed6usHGZ4y6lCeMoHOty2NWqqm3CT82TC319kEIMx0KfDqRzhV4NDJENEylGv2UiBfMQEykGQzGRUmgnJlKsfsVECiaITKQYFuNECq8XYiLFVYtiIqWsFXEiJdaMaSIF0/ETKQZKP5HCa0qaSHF1ZJlIwUTkRIohUU2k1O1DT6QibaSbSMFMsYkUQ2WdSGm5xImUzGaaSOG9iZ9IcX1KP5GCaWITKQbJOpGCuWITKYbLOpGSuCYTqceifnBz+lBq/CMezX57Nf9484EIaA+ym42SMpOmMR6j7/3NLaJrn8yu5/rD9SdAzz6ZXQ99GyBUJD88BWn6y8WHnyFVh4R2XVcf3gCKdqkStNze3twievbp7Jpur+af3199+XTzy9WHL7v6QQrIiNk52Hsboe7olQ1EX8MEsIbqGiJMVV26XWKgbIeEdl181FKojg5Y0mokDxdCZeIxAqJnF0XAhR6HCv30Ks1BlFO3WTlmjR5onqbW6UXiG0KNsceZEG1kFAPRaVL1cLEKRJeJPMqEtR0ThRWqizzfhpSNjjtgVAmPMSG6mBgcbiAkjb3IyWaoE3zGhdENnV/GlMaOLifyeU4tOaT48y1Ig4tbaoFm024aQEFtpIVeU7GHBumE/Jlu5wzQG9s0Iyy/bb8MqQNqqyysAs0uGVwD8gYZUwu2vTGASdgWC1AMO2JIrYibYWF9mPbBAA56CyzQr9v9UrQAs/HFtoJyzwsgiW53hXNs604XTiNvcnFEtv0tpJcIW1thXzHsagEM0Q2tAMS8l4VMndQ05h0sZnI13ryqSlf3c+bWwuRXfPtq+N5HvaSmvUF+s1FaZnIyIWQ0LraJ2OVZqNYXSNDdbdbrpiWi5Am1o7Q6jdiklFcYvxw6FT6CchVebLqiumzqbtsrF2GcMQLzispGgxf7tES16XrXDkGoWKcYJ0/oEs16/6kiVLMvkKDb7T8IgKgdpU3QuHT3xabqR98AVgxESTiBqT/lh1BMk6cYg7pYd49Nf1UXd9S1J2pUBCIp5Wav3FKljl6M5XTGb0sS6oQvH4B69u9Swd5q5gskaRdvkBHKoXfq0RruPpZ1jekdpVXqnEzc6qWioiepE7QWy69Dfd1oDSgjl05yqXMhpFRKK/x9UxDfQKRa4JAyQVtZL9rtt2NG5vjDZnVHrSSIfidJJ1F90llzXyBBd9cXba9UT8gkEAxPF5ZaBEooZSzcNepaIGQSCPrm9fzmA+TUDikTtA1XqZTFDUUSvHhsxztUj255Z15eKDe9Jxlgu97ivjNlfw2bK0iXwHqBZusZ00rtPVN6NZvPiObY7nPIYN1+huqB2n8mqkGzAY3XgrwDzdWEbQsaoRL2oIlZ6HkY5F1ook5M29DQFInchyYmSKqNaE07MDvRfFsot6IRluhedEhj3oxW8Mi70SyTbTsa6i3CfjTRZwwb0ghFdEc6RDFvSUPTXD2PeVOamwCNd6X5V5dPP4n70d7yeXk3+cIsk9nsmIyZv5yw+ICPYxpIY5DcrlkIvvKUAqFXgD7p8SVfI/IdRlSn8GgDpRb4NhWi+a4TtjU9tdO0dp3jr/pGlXqJ7VofS8qZedr2iexahI1KTxWwS0nqm24hdK7tb6gYT0/bOGWatvdFTZyKkOr2Sa367jbV0/abw/GeOUpp1bZZD0/dI3U5TmnVNjw9XywgdZOkaaWD2m6S1Kpv6SqH1eY4ZZo2qHSTpPbWqxEveExmLlfbhE8/ByXaJbLquC+HeWm8MKd0KZogNQk62CB0T000BD1uDbvLYr2mji58W3hKaNW1aF3Ru+t66Z7jU69J2gwaqSUFr1P4bgfW37FSjlMmawNKOE1r1TgslFGN07R2n710z1fPZUcFcgROe5w2SePwLZ92VSBLnRkhYNXtur5cFf3pmUZmC8MjYMXMo2eQ59+ZDFdLXnJzjy67vqyJTxQE3fmUMKmdgX5cJvfhvee5qJdvts4bdVVjgXTdt7tpmEL5SSJd++ftpEyh/Chg1V3sH9yIKx2ntGr7Rn4sJVgMil9JQfps2ZdFVf7Dfa6bdjk86Pp6Uz3dxCdZkmQ6zY2RxZdLsleYmUr0fnNXtItHjQ/0JdJmNKPcwFnNVCKbdnhWlav8wwxGU/owfdraU6ObklBoH++5vrkLtL25w2N+5/97/unq/ZcPF++v5h8vLq++XN68e3d1+emaOLXf5zuTZehyvLmLEFx/eHP1/yi0E+mNmj/e3ry9fqcpOSlh1P55fnWrUB0mN+q9vHn//uLDG4VqUsKo/T/nCsV+YkAn+qrVQRPyjNVEgX9Qsf+oI3l4cFDiJdJr4Rb/BwWxRb+Ud+cWTb0s2pebJzb/aRq9Duno4aADOXKI6RCOGsZqgCMGSZN0tHBQgxwpSDrEo4SDEugIQdLCH0EdVMSPnqT8+UODQ/7xw4Jp/uHUQzh7PA7yMKFaF/PN4pMdkT9YzOfML0cOeceXIULu5Aebjznvf9XXRrzOU2q76wtid+Fojfa/anMdJt2nTsDnH6bTatrtjwM9k0io1TVMZwFNQTKLnsMnjEUto0T2fsW3ziKpZaQN56m5kKfnUtuz37s+tXr0Y9fC2HD9x7a5L6uyfnjnvrrwa1wnrx2m1GpbY6qCZFo90c3VgyZ4U5XXRW/JHJ2quBUjtPtm/37rZcRVEAmRyfRo6bf/cttw/Wj/ZKyvK0iBLwzpt7joDJVf5g65ue1u5jN7DEXs29GwXtX3SxkY8/dLUWIo9tsAl/y50lDnb/a50jMWN/q50ozFNn6u9Dcoffxzpfmrwf650t+yQoDPlZ6vaoyfKz1n/Rw+V/qnf86AQT5XyhQ/9XOlopuJXsBloBSfK1Xo5xf+DAa9D5CJJrJ1w/ZW02e9lFzcHowApf2gl4KI+1wp16OVnytVkDAP5TEgys+VKjiYz5UyHMrPlSo4xMvmDI3pc6XwZFb+XCmDZPtcqWKCjXyuVBhb9s+VwozMU4ncENN9rhSm4J7zZDC0nyuFOciHPjkncRYC7glQBkL7uVKYg/tcKcOh/VwpzEE/GyoZXsXnSvFWYT5XyrWK8nOlMIf8uVKGxva5UphpVYSxLgzJLmlm/cDnUhmchM+lqumUMyvr51IVrcZ9LpVtO+3nUnHfzX4ulfPb6s+lKnw2+blU1kmrPpeqsXpELD9v9eo8NaF55oGBMX6y9VxbgLonIMJM8jx+LMLpP9mqcRfs9WbeWaivNsM8+Fou1zIu+lwFq/8cziDybAVrZExPV+D1QjxfwVWL4gkLZa2Iz1iINWN6ygKm45+z4Na552MRn7Xg6sjytAV+dkU9b8EdXGmeuFC3j2rhb3vqAmaKPXfBUFmfvNByic9eyGympy/w3sQ/f8H1Kf0TGDBN7BkMBsn6FAa+ZWPjsj6JIU4YR+f0b8t6yRzQn35KPZn3clIeyY8QVRNvX2s449ZpoZbMvg5/rawsB2kNg3KIV0HiWrgTN19PLGQhrum+rHrCWPmKjsmsesjnJXwt4vMSQOsDNSZFKiL9K4z3CvsXH+8V19C6ftPWv7hwS8zXM05p1dY9Nt9u3aJpl9fh0txX6CW26iyWy//auPblfbMs70ug7xEC9tG7Grb7gfF7SJfQUy6+FWXP7AURnWaaPEEvrjJZ27pt/uaI+7S+rlM6c09t2riafSJzz6yq5tubsnv6TOyMB71ymtjeI/ffGgX65CmlVVtVUssKX9Mhlbmtnsq4G94nsttJRYxdaDqNwXVi4AYJDe2xafiS4+tGyn6zwLpzFDAaUZejoMZQunOWNx5Dl7Hg9uC536QKgKi5M1SGMVzuLDVyiJP76TceBkiAXGDyEyPjaK8QDYnzMRSxcIhGPgjOV6yPfkP0R8Lewl5nOpdFSbjjWApDewaLMHChbUFfVMa0IbqZYDZik0MTxYZoZsLXfM3KuDVEsxiwFkwsLZFq8bmgHKLmQ9hi05AZKRKURo0DezQaMBenw9CC4aCLPwP2e5jAs2DLRxlxFtdMhpoFpjivTi64zFerjSoD9u+YcLJgA08ZRwbt6ALLZG3kGFDXTMhYUNfKWDFo52qXgAwSI7atJqlzUQBhWT5KQjwWzoN6fmsEFuAH2HCnwAeo45wQ+08GOIUGXxXZROrVhBP5+o1xRPk2N3SRQyPpPCFDNI4+VggyF+xhMGEs1Ke/cQJgHpw8BY4GAoUas5qfSOhPOPxMMT9A2Ylgn6DoiigftORieA9delNcD7K5jGLoI3mA2pBCeIJ6sMTuAMe2yO66KloHr3Vs8WOLz0EOguTAnPBAyBaRA5OIoTgMjSkGB+gVfPBN0Df0UTdx/bFwGx/CGmcDLEaVJNbIGnrSNAqp+bktl2/nrzeLJxeOmfGPeFjN9kHBeF6zQzp6ujMBO2lC36ML1SEv0zFKp+5t7erP62EDZ07vKISqCZF8+v9a9o9EzEKc4iiYxvKm+VarayMQsjMs6aeeQ71L+YlnRBf5YYJQk/hpAlu9vn4hX0REavcoaudhPmMRao98yAJqT+pTFkRrSh+zQPRIi5JQnWVZArV0uDAh2hRfmmA6icUJpVWxPMF6kbhAoXqTaYkC1QGxSCGqQLFMwWtAXKhwtWBaqiBM/GIlRNEvV6BakRYsRH1YliwIB7loCfWrli2aFqAXLnwr6JYuCEls8RKyWJcvChpxAcMSmZYwUC/hFzFEX9EvYxCG2EImBLEuZRCa2GImpLEuZxgabkEzbK4D09JTMnyRMzxbrsl0theIz1dG0OxJZkGEgErKDxI5tLvIFNjX7cC5cFxzcUeFvkq6DxJG7Vy/2n5BEOhYo3R4z7qLr8X9fGdHmXhBx+wMweJxUz/JwzggOMpkIbgvq4h5DQAOItn0R1c8JAK8/AEouFfqRYjY0/VKhiV1WUkEWEoXl5TaiRg2UXeJmRp0DAznoq9fem1XDGSzEN1t7j81875ple0xkctCUrn6oQ8DLUSKo0wWAnnRHCjnLwoo9a4bZVfYCWTRPbzSrmz6g4hVP3SqHSeInWxzOezw2eoY0lxFJiMi0KtxHga0SCxws+m7vqiXZf1w6/6+cdSXFXFWOrf81K5tm5aIYMRJ9zl4oU65+LZTuiS+Uw756cTPjIiI0LdHlCbjYZv8bVkpR+1EzkqinLoHEPjcnamJ0eT93fQLFPsTMR+HTJV6nZzPVHmznC6D/mRMAEKOyGIYU3+5k1IgHCUyaGdudAvaI5e7Vdq52bugPjZ3j+kH3hmQWl98ckBVduYajKA89UZMtGqil2MEOMU9GSUHf2VGwNHfnlFSRS7SCGjGOzUGPs7JRuC0sbZKMu7SjdTzlfdvlETMVRzZDmhu5Sh5mAs6Ao/yro6SR7y2I1CZbvCoDLh8mUdAs93rUbFhV3wiY9F+20fFylz8kYak7g6Qioa7DiTgaG8GqXjIS0KS8zkbCXd1SIDR3iJS8XAXiqT5o/JukXZCR1wzihlyxY0jXWsxl4+k1lLeQ1LxyFeSBCrb7SQVG/UYl0CkecNaxQFcmBKwEu5OmSgNMzzrjSpla3IPC4ltqn3bWjdXYC98SfME9d0v5RyBvAYmTgpUN8JUS9LI5TCBynhPLEYHba7DWLE9djqjPBfJopD6O2Va08/GB8mGXx0gpOLSrQNzLgGj0Z4ix7kMeyT+UzQMpkBQXT0REaFSNSlCQw21JMaIRmvKFCyqouSjRqU183mZxDhSqc4sAaUqMjKyVCBShZia2k29qWALOlWxxaJPpWMDYxiqhU+MR40zmgJTdb2Nj1CV+pw+VFVFFYtZFdCswau6bSI7nzWcNTqB9Y4wt59Qd9Lx5SRFjqPLMEPDseWU23ZkSYCgx5WcevSoklANHFNCWqVDQkItckDI6QUPB6l6jh4MQmUVDgUJpTkOBNmqgA4DCSjlQSCoXz4EJDBsB4AgDXD4RyAlHPwpuKQtIQbKshUEEkmHfVSPNhz0gSTCIR89nrUHfCCHcLhHcBgO9kCO6KEeQWM+0IMMbvwwj0CyH+RBTPghHjO20g7wIEbh8I4aYvqDO4hCOrQjMCwHdhAHe1hHOYmzEEiHdASE5YAO4pAO5wgOy8EcOpFiDuU4w6s8kMNaRTiMo1rFcBAHccQP4Qga+wEcxMQdvhEk2oM3SD946EbgJB64qeiUM6uUgzaw1aRDNrLtLAdsmO8WD9cov206WAN9NnuoRjpp9YEatJQDDtMImoSDNI4KPkSL4iAHaNNM8h2esXC2gzPUVIubmLShNm1cQjz4OirXEgo6JCP1n8MQA4dj5AA3H4xh9cIcilHVojwQU9RK9DCMrRnzQRhEJx+CUWvM87FED7+oOrIefEFE7KEXQaI+8FK1j2rRbT/ogpiQQy5qwznhgEvDFT3c4tnMB1tYb5IPtag+ZTvQgmiQwywCKeUgC9susXGlHGCxE8bR4dX7pn5oLquSOmEZ/SYeWHkfi6tr6nN7fmazfULhK2BjNv3RFKUweihFq4QOhgJ9sSMhWlewk91+de3FuozrGydN0Lhq6rJv2stmtSrqJVDOUCBBu3SWEGjmThHUWsXLwYFa6EIwXFph94EsMLPnoNZ91zU19zHCQPE0cYJW/mNsgc74d9MYjdPd/eppewsZKOMoqVmf1vwl6SJ3OENN+2RmPcu7uJJtGrOG7StYc+bQLjR009RmrcNWGax0mtiuc9iAArTtk5m9VGQfKFAo7ADFNUN7PRGVsV2esTi2vyPtowQwlh0UoLmRnqXYNYE0Io5EtVMCaI3skRCOzLQ7gpSf2BcJi6/YEYFLL+6FMDVg2gUBiPj9jwBEv/OB1Ii05xHWhWW3A6Ag9zkC7aodDkXd03sbbP3rdjUAjth+RkBi3cnAWcQ9DI7HtHuB9A5+3yLsI/odC4AgtlcRYFh3KZApmJbFujPBTF5GexI37XKIXXm9qZ5u1sMxCzVBoxLhuxTFcvmpOcp1QylwDTNamp63kIVhJm1lt0+tYBnLYA2gIWoOCYjvWPBMU6ksVJPWK+vOEY9WCZV0EMjPQn54gicJPkCRi6MtvikwdqnzUHgBfvQTlDwK8f5kPhppk4NH4nY78nGJG048GLvzlLHGhpUn4RKF2jpK5O/V7tktNsTmDU9zkshjDUd+6XZT7zc5mXsefoLUax5kfspbHgE0Q7DYJQIZTqlpr4dqHSY0Teu4IUorD4TUDNCGBaJ8v2shHGIEuXj0QnNQZzIqqFenXExwkSc1V8Xzxbei7JlwMB1qkNk5iPl4MR0sHUaWxOlPxi9VHWAioB4OxEJA1aaeSLL+18pm8kTS9NMXsBgzKN6/QjXGIj1p3VKgp4VCjhCmGfgAYQsBH1lKa6cDSy2atXbhmF54Shl1gczlO6anJ969kyokevWORlLcvMO18xfvaAj9vTucJXJISwMZb93pqHQGw3LnDufhrtxxFlt34w7nYC7csfZbc98Op2Cu29EUytt2OIV42Y5mMd21g82seNWOMbWmm3YoEXbRjh9P9nt28HSIvmbHDCvdLTuUgbtkR0No79ihFOQVO8YdnEM/d8GORtDer0MpuOt1NIX2dp1ikkyEnghGVnG3Dm4P5mod0x7Km3X4pDW8xMZNV/E7bNqlg3p+knCDDbet5IUozpiq7kOhk+tIGAzNYrwNdZ79Jl2UTJBHnqtQEpr+JpRiRcoeFrPrUfVJMUoDz20zTWujQT2c9rMMZTG8hxvSphgfuE6IQB+mShTRProaEUN+pFoxxf2gbHzwDzPnPxuJGAbE1I8lFgjlIQOCaA5VVJC2ZTQLIFt8EEoUCxKimayRQkoqMVxIJDPFDMG9iA8cYvqSPnoIZYmFEPHnGpbYHd0ZgpbKGlEkTQZHx7ef6wYJLKKT5Q0tEnSogouYIqnDiyQefYCRjkoKMZK4LEFGUTIkzEisLF2gkY6HDDWSaFTBRjoWKtxIQtEEHMVJoJAjCUcZdKQlksKOJCxL4JGWTQw9kuBMwUfqmmPCj8RaUwYg6Xo6F4IkEWmDkKJEfzjded2edH8abyB8LdqyuKtc97vjb9//EHFY//5vP/wk5TnsMozyE3MbwV1s+uaqXrQv2078rnl4cO0799VVBCybVgkf17krDJsOLdzP8/nFx+vLom7qclFU5T+2rfRrUW2othBSKwuI6N0VUUipaMHH927xWNRlt6Jb7fS7vqWIvI+tc/oNhb1sVuvWdeNYvBPp6UclJpHrjvH0Awz4+XZ+c/vl7buLn+cU4uhnOMvtHPfT/nJss6T6XpBGWwOsjn1F+L+j8Nvg/6vhM9TvijvSKngplOBc/jts71cU+up5XRVl/atr75qu7F8Iaj+JEpvVsOP2f0bB54cXAX517eRw/gTuJ1GCsxp24P7Pqm4yWOgBchh1TT2OhfN6S5DQ0ml4baO+EyTCW+Lr4PVfOF84+V3dBlTehwYY/YbC3rp+09aHI22CdppAicvkvuOd/ogCf2yb+7Iq6weueqcJlMBM7jvg6Y94DR9DcThkP4m6lhkNh3qe/qwBPx0ZMt4nTGSAZ7Sc8KcJdCaRmT6ffjSZQWICffoBBfzUrJuqeXhhEMc/KyHJnHeY45/kSwvj6xBSBNrpN3zn7L5tVuxNAC/D2TQxcxo6ImRXnO8v/vPm9vrT/46rHKVM0Hfx68X1u4vX74jrHr7CcdIEje+uP1xd3F7/N6bUS52gd/7h4uP8Lzef4jpHKTX60KegAn3IU1C0ysnWZTWxrKy2QzJVVU4jXf5zfvMhruiYTlUib0hLoSSTn/HbTR9vr99f3NIjzMtvtk8rBVZPIWWdXz7eXr29ur29eqPRPpFKoZhfXd58eIOW/Zg6ufTHnJTlp+VSSAZjcjWnbYCvfZ82ufTrtlwVLREZRug8pc2gcZeQOmERVI+FUhg6t2jqJVruceosWnVlJ8VSOGpXtI44aqOUn9IqNQbTlXnfljVxW4ZQOkmeqleaJlGKkZlSXHPfFnVXFcRmOKV3nDpFa9n9WlTUdRRC5z6tdB+T06mZTPhq0flEvBuvxosdSeU+YYquvnjAetA+YYquR7d8wAp2SJlUi8XzvC8qV7uum28tDVZQWi6JpKz/WrbO3x4TIXwR7eCZzsLXqvncbJL8Nx62iRqPPuXmSeeDtulTNLu/b4oK62LHpEmGmF8QBGM3viage/FoWfBX6ch4/KMiSma9rsKJSpDX7JCOpp+AGdxlqA9xloxW1IGEShH3wSidGJswJCPU9S1Jw9+aTUvdVg31nFImlId/LZYoWPy9WI1Ohca0GkXqMknD/RClj3T9fTqdppGZ2AfhvS3Kyi2vvlKvF4RJ8F2EYrkcDl/RPGen9HSJCFxG8/6tXjpGjVPvCaUy7F73vrSQkKKpPK37+8Z1vQJjLJGqfblhojc55SOB9N6wTTnE8yo6w1gmleC+KKtNi2s/pc/RC8uFU3a+g4RBuzeZfSy6uRrBE7LUQWjl5sMj1BEzN06D27l9X7m5C10Dl+9sIiMWcMJtHdshADy4Ef3Loi/uis5JQyxE8KSSKYBxzjZEZga1/hy6I/421A06XKzccT9HFR53cQgF7nNDFr3TRYlE40eDQKaP0W+wwCGExgRz9UDY4M1i4dwyZoUnqbLNN4ls4REw5U4ZAwSEahRAJIpxQPAYRgJEFfdSBAzupyCG2DyUQkCnomgviXspspPgfgpsDWpDR2wJaWdH3T9lg8R0S8wecQwWy0iAqGwjWx8T63gYapePbvHkltc1ZyDphJq5qmgThOxRM8UUhTvSKMlhIHHsRU76pYsaWh7eh0hIlBtJpZL6x82mBzvIIeW5esgkf2MXOZYmYrOJXcUIz0QyEw3WY6ccaV02RgT32SlUcqeluPhee7Pp5Y1GITXee1tXdKR3j+U+O0pC/cQrTXLPpYj0vRejQnowxZPSizEysCdTcIm9mecTe3RkU0lKjvdpsL3CRVxig6XtOcTx0psMWnkehbZvR0ab6pQqv8/08lb7y1EJzPbPZ8DtXly7NK9nAZB5vYIhNlp89dZBEicBxoYPkzAkaB56JLSuQKzWKFn+seBnrh4M40IY+0LAYO0MAAvQGwKchO7AEJH94WPTVJfVEGMZ7RN+UrxflHXv2naz7q/rz5075SjVCKltJuUU6zVBUW09hwYz9h6UKd6DaCx7L5LIhJ6E+FkvZbbZEJVvWsNksPMkVGqz4PZ+mx6z+X5SvF24z6xH8o5+dV0oRkIPyWX5USawj2T0ABIZ20ve7z4NX9YPSEfxUmcdw1TeYSPxRfdLktQuJEz87AjkYVtjiPV8QRrilDBrG3jZpoyRUVGSWsJHShsfNBXZHlBbWNoBnC/7BVfOluP1D+1V+RSqLao4Q6RPZuqPOfpivn4Y7YO7K+nSrCpIobAC+4vkRN+jc51NJOgmD4mV9cyojllcUW9Qo29ct2jL9W4/qagf5NplUmesaUkDXutcqUwtICJhraHkWbfua9lsupGYhY3OJiNn7b4lIgY55KSjggsQJim6ACYJRtpfXNH2d64QD4D4pJl8aUQB5lGFAmkjTmI80bATPQsXhxxDicUj60mK4dORxNXjGMlJLoWE76HigY6Q9jx91BgxKZUprT2IQxxdgwAnNr6EHDMopj5Tq1hj+OSSJdoPU+SaiYiOHANw5AgyEwvab6nYT2XPRSK5djI3a1ezWyhhkoxzyCBbfOI4gTbNFkPl2BSR0zyq18N7V9IqiEiTpWa5fJGqpbjlEqKrkkj6rCVPXZnEypawFoAQNasBI2tkPQBhgisCBSHRv0TbRCXK2pNM9olEH0X1/nT6Utfr+c2HuWvL4Snl4CP123PD+2IxvJNNpFMEmY3e0kcyDR7TH5eORGYUu3p4VPBzf//n7fML03kBRMLkYEL74w///sc//P5EFzwRumqWm8rtNY9+JWvYz23puoNqOsNpAijPSI7R/CZdbVM9be9YH59/3z5UTDYHnVRzdr50z9qcZwcppnEZfnaCPHrnBiVYSG/eKAFc2666BzXCUSwXxHV931go9nJZMJq1mqBZpygfOZJj6lvXbarQh3i/azr58CkW7mPDVLYzXyRSvj0xo3+1/SqFRr0nkaa9WZb3pU69J5Kkf+kqp6t8TyJJ+2atbntfJIv+a+LdKVH7tfDgFK8b+rxoTO/+06LC44t+DmPoyCCEK2Iq8NtVxEhv7BurvvwYmb0c1oRPUpEcDf8UFV9s/4twn48NcwH2/lAoleG2+HbrunVTE9+J5hCmMkkEj0W3TbV1PWDfC2RS6+CUm8IQkXL5SBQ9whPKxwC2RyCThWD/htF0dg1xeJJJNH3DPB1KEoxSJ2ktO+JpPNoedsKjeIK20Yrmzdahvy/ql+GB/oqaYnpJ8MndfVn1jlwcUVnOjsnp8vik7Jqlqtg1Mql3LJGk+rEcmY+Y1n1ircKw7W5qF2m6Q4p8LTfJEWu4I6a93aZa0WaLKZZbbaoTaDRC3bjNrrfzEKnNpinwNlv6OzFynrMluTczKo+HSpfn1q2rYiF2Qi9Jjl5IZRnrhj6pcNBVLBxXk6TmqUySenEYkMrj4wBUzQ0EUqs4EkCFu6UJrPKYXKt03F8/r5dFxN95SXL0VyrLWH/1SdlKXI7f+o4pPSZPUlq0bfHydstPbrWTqj2hJABxmJDa48MEVM0NE1KrOEzgFuaGCdPC4jDhlYbDRLLq0xT5BonKpnuYxiHimxlghMRUYgNkqlgxPpK8CKUbHR1WH0LpBMaG3YPQLQuMDEol88o2vToNUohjw/Ie9eSwRfcotb/J722ALagPG7CqhXMehU7vjCeiNXK0o9M7OdaJKxZPc0TNwLPwjNrIy/AKrcxWBqs3spkhaQ4GjDBSMg8Ry9iInf5FNe3SKDTAw0413iJapgfKnBr5ABnRIw1o5UhOGcLasSsOnwfXn774HlPnJbbqlAyF0kL4eqAjGFrRq91/vv8hdgIzEp9IQsEGOoZXg6zwOSEO5VAEKAJDibQVzs8EDi4Gaiedn2oUm6AkEkIUcBaFp1O7ODEsYogFCLfqh79m8WinnCBntsPhmqgtH8q6qP7btc012bFH2qjEBp2LTTski6rz0iWUbpuFI46uwrKdkhr03Q0/fiIPrk+axoksZTr4ELk441QGLd04Mo7IvwtC4zQ5v37p5dYYJwJ1eHFJR1f7umBOsScpFLFJ3U27dNS3EulMZ2MB/kxuyhtreyKultE+FdHrn55B1pOFdazgtbiwhrXel8Qr+ozOfdpEjeOo3ohCMZ5X0jeds1aufugJp0ErPaZO1nvXNTX3hS1G+VQkmeDbaMWIIngy6bWwjd7Da+CYPLGfuWe32BCf5GT0npIn6i2Wy0/NMWX3riQ+vsow0KIGuzay12/LerlLR8WXTH7F7fTdWDmQ6cwXoMs0ZWXq19taFpRGtpUV2m5qhcJd4gSd7fFYDVE6SZ2gdXk4S0eUjhMn68QVprYl6WHJhhS9K6QtPBAQFMYPAyCd5BmIoBY6/4A0T04hBI3iCQSraXRMFmyCvin6gjqOIBPiJo67iMFnq9ye33KrL2EI6rX79BEA7gKGTKDbsPcQxu28u2s371tXrC6bqnrfLIOLTyMqITne5sf5/GSZqdAy83Og60EqG4P2ZfTFYA3QF+/rweJjSXqsRbXpetd+Gj8opcGbyp8Ns3+uP2xWd/QheBRyLH02xKoztvBe8Gxg3boqvc9gaPAm4ufrh01V7d6F+Pz5+o2tK/pZ5IRlLdv25UjYsE1Sn8uuhUosZm1aMAas7qxER8lcKIiBJTjM9hWC0phXAi7ZukKQuHElEBNtKwQImVaCzW5ZISyFYSXgUu0q1v90ZpXqghmsKocqG9XtYYPOsk5EzmpeQ01mGzstZ6p1I8DSTByEp7ZzBGYeYwfhKi0eAZvD7EGouO0jKBMNIASotYIEZhZTiPVTgz2kumouowhBHw0L9XKO2UpxT+jkKQBn2ncXflCrPk19JoNOKDHYcq9g7HzZQiO9+q9GuN9U1SHNa3fftG6XhwVMyCsXLuD4KDKrz8OgFO6Ogkv1dBgk7OQoxDT/hgEiro1iM3s1DAt3aBRcoi/DEA/3EH9xLxbGqXhGSDFG0gYYC5kUshoXM691CflefSmXwgsjGGUkYlA3eSENT/q8hW37H3//7//2w08/0l7f9/dDMT1cxMmzs4q98KWuhkgpzQlTJm1Su7DtQBdZU1erVXweOU2N1w0ysMKsA7cdL/22EBncNAHDuek0KNwtE0i0W04DgtwwwRK44TQMhdslYBi3q0aKjRrE444MuvolAkP+rDuPFX7qF02+W0BROe6RWCavHSd7pTU2Hh0RUx/pPDeGhbwka1gQ59Qc30uI1ShZIUB9ts16iDy4Kzp8K4GQOdeGAqfKsq1AFdW+ucCSoVsMMo7JhghMKhtC5cM/Eby8ywD2apuLmS0y30fMHMto3gBRdDjN/IoFTd4MUQDjcy8WN3FjRAELzctYTvsmiQJRMWdjQVM3TGRc0YVoXMdv4DJyuIo8LsLsGjJs5gb6kyxZZguW33JltVi5LVUuC5XRMuW1SNktUdbzR6LLZdjAozElQ6mKxAgEzmgys0RhhCVMs14ZIzBgNKUdO0P0BYyqsmjZIy9gTNS25Yy6gOF0Vi5/xAXeL9X27jzRFjCwaaMkYolSIy0keOnUZdu+pwlfeOaySyDaZ3FFL+Y4U6zd96Tsdbpus3Kfmid3+ICTiuAVKY9CRV7OKOtSOtUiaPYSmfSvmlbXHq/2Epn0t/5T+GiLyI/hqzlcrewUTrgKr9c+easL0y8+tq4mWExjeCCEo0wuhuHjfUqEvUgCATNv3b3EjE5ap6nPNGMllBimq17BgCgvC5cnnwsrvv9AwYA7EBgCMIunGKxTeAxKMX+n4FIn7xgkPHOnENOm7RggMmen2MwTdgwLn61TcIlTdQxRcfxMMaYGlLGQlgOlCKDmTMnLKs/RNManCCjjKbMGlJGGJ31pxrY979m/7j7JCZ/9hhJn8/CkIpOXDwqZ0uNoLLtPQ+FUfo2GTPdtKKzCv9GoqT4OBcX8HM2Y4OtQPI2/oyGTfZ6AypmVD8XKzdfFItpRjwkV0V3RYINppjMwruDELFh4peq9iE05V7nCJ6aJZHjFapY5k+87q9c3kS9OW2/VsFDq6zQRwFXxfPGtKPvBjr6fq7AC0WSY3Y7cxT3zVQuWZCqXjNH1RdvrKSZimSBOoXCIryRwggySwbYP+c3HT50iNGOp9Lp5bL5dPa+LeumW3m42VDOUeHrnpb9qz3da7xFM1Itl+sY9yxX9xH0m0M51nZbtJJMdp3V9+7J9yErXmaZyZ8Aqlh9bd+9aV8fnIB6ZJ3oWOP8VUpSMeok0E9bybpiDqIiOItlh+nLlmk2v9K1jqexIi03bNTrfdhTJDrMqnm1zD2LakQnpW1lVt8dhreIKRLPDNauyv7UbBVI8fw9rVuqp90kmO07dBJ/mRogmYvkd9fO6Kkqlbz7KnKHJhO+cCY1GvW+aCanY9I/xJfKE5yiSHYb7HBuLEryImgmkcjqOXfrsGHcv66LrDstS41xTyCR/b6qq5tubsnv6rDQDnmB+i77RNegufQ4Mblvm1t2XtTtdIZ4/Fu3yF/eCbqnE5M+0zQ6pNWy6R6vDvgWPIVs35K3giu15rACpm/XWgsBb91gx0jbyrYVAtvUxfvMmvxUd3/LHCpB4AGAeD6oDUXBIpB+RWotjCWZV2tbU2FZF0XgnNvwRd1nj1GdzUIESkzuaFIwzfeQj7zGann/kHUKwBGbQHJp4DC+HvrEfuIkw6L3egAcIuEgDg0/ntGjxwzkKDIzMw3oyNI0KGeyTJgRKNUUK4dInRJANwKc/ROdKnOwggNjUJmRLmMggWJppSwiXPEmB+p9ySkJ0wRwTEAaV98nbbxrhTnmS/GxeOdRicsvTsmUITSDJ1CEKIBhi6Qkc2NSra0cTLxGtKXXcBAgMOSeCze6dICyVeyLw0v0ThKlwUARkqoeCEDEXRdAl+CgITOOkCLxkLwVBKgLIScrUCHIe07ZSkRF1a5ZpXnmCyEFCRRS5wInfurp13bCAP63ncQ/ICJ5tLiDpM80KuJKnNLIIaXctSlSVkxGR092NEl3heETwVBekxMackUic4JaUsBoHJSInuyptv1aureSunWOZpSyAbYMXs3zpO7vxwnBuZG5zIozYmVyIpM3gQLgy292HCGh1HkpMhesQcVMdhxIbdhsidJrTUCIjLkOkNTsMJSjuLkTcRGeh7ccqVyF35XRHoYS3uAnMuqU6iXhBWBeB96JjSsW9orZ4gDzONO/ZSA6w+KcicA13rwXYShhVc1X9ea25bDtNfSbfSygxuFyvYBk2ciku9T4uhrXZpcJHNMVGZZILML7PTBGB28z6ptPsMseaUb3JjOECczqKzDqVw6AUMzgKLnXihkHC8zUKMW2ahgEiszOKzTwpw7DwuRgFlzgFwxAVO8sUY+rGMgtp2VeOAGq2lb2s8uwqY3yKTWWeMuvTJKThSZ9ms23vv7pIX97dvYA2+U2cDo3nX7fbm87CtflJAnyWhd42DrPX3TOe8ltuGBME8bvFkNr4VXhCN3gJHgIQr+AQuunLN2q18SumhG7hcqkBQLz2T2qPX/iHVMtX/dnenq44tnogVEMLBk65b5puT4+feoZp9Atslj4ji44gEW6eduuR5dvSVUvS7NF5z3w5us5CerajrpqvBgxfLhGjbzf1YijXRdsWLxqQUDIRZVl2xequfNgMmX4s+kcNDSmsBxp3xItN31zVi/Zlm0jwk2RCvEM+uZdfi03VX1YlM4B5BbNAmC4zXZYI0HCNveOeKwKYxvI5sFbdx7b5Wi5dq2yGmSeaAaZbPLpV8b5YK0nGchkw3C7hwR7oecgMMoDtbmNORZRoTBbZ4P5r49qXi7qoXrpS26HoHDKgNRYzMztJ2RDQhWYcYb/mEtZudB6NXC1V8/BAz6sUSK+OuRjIwsXkGSptT3j4/x+TUA/FZd8M6NvC5NVmnug/rc+NOWIbG3Q2k5Jwa7mmfmi2gsvPt9fpiK+CDK3EkQ2OkZ7XW3s1XxfftFY4UoBpxucvyFbTML/LW4xxtr9RIS7ah5RxxxVin+2ZCrEVHU5U3fJdeZepHchMf5MC3Lq/b8rWkZuWSYUYZXymgqzb5vnFZr490Qyzlr7qbCgTQRuIvxsxTX9Febnd5gSfEN6ruPjr/JTDL05sDzopvkxs3QM3hxaynh3FmNplSsAvDdUET8I3w5XqXb1cN8zjOSLDSNAKMmn3f2xaB7c8l1i1RcA9QyfnPjtJMuVmSxLZHLiSmiLK5GeREc613FOQANZR2A40CXHZ7sqcBC5bN2w9FX3xi3s57EgIXUcjj/emVTEcl3OHnVqVs3F2zHGdphr4pr3YbynlwZ5meFbw90Xv2rKg7+VbwEcZZgWX+u7+X4reOpXA+2dRPTRt2T+ujEpm4wyw+vEKxzflNX3ADUAdhDMD7ftwAtUph5xoi6buXT0keVsseuaJUACQyCcn5t+HLTw2HBDgG2eQE6wdYgTSBtvMyyMRTzIOClDz+Yh4HCFpURxIcOUyH91AXJHDGy1U5JxERkJOSpRAsaWqCAQtVpVA8nJVxAEWrFoY8VFnkYV82FmHIg3qW/etLdbvi/rFPmON5YGbgfVeMJvW2ShHrPqiFZJjwo2x6yfdCnhVpxhiPCrI9jGieBe421RP28ew8+ichfkZq3IvT9fgPg1Fu/8JrwEmwHKcTxCrPS7JgYXJ/iu/eJ6o+BpZJ0fURNZyE1XIMi2uTlqB+eqii6uIusWw1hpuGhX0g+8TfV5ik8L9DQtE3SSpSVnXF/0m3mzHZCYlosGc6InbwVDVeHD+fPkR3cdjkqo82N/coqeXkFLus7EkXUquHOx5+oKNDhVJRoJZQJ7cy21ZP6g5TnK5MLhVdAxDXDvrMYT9yxhJbPdSCSNttoso0c32OMh4iP7y/hoeo1xa1WqTHqBi1pHdHbYIhqqXOaJ1r0VZuso9FD19RiqzjEXNMJMbC5E9kfHviu1w+sMZQWazVSlEx4/R+EsBoKJtQruibl20XdmT3jPUNkptV9m35Yrf6AuVTtLb1a5btyg5exlqHSfXKf3xz0ed74eIi8uhz26Pg355Px9O+13XX7XtqPj7/H8nJxe76U8/nI61F03d9e1mUsMKFbOpPF34SMm4VVmzfDEh7QUTWX78048//HF0JXjsxjU0teTHrTRu+PldceeqzgQ1lceul9lacdEsbfW2FzwnW9+sm6p5COZGGswwj/PWZl3vbgb+7Or9ZTbrsKUyOit7semMXWEvmZkuHFOr7sE6nHaiuQl//8eTf3gsuqvjsDVh+jmck7ZYLhNp/Rxy903S9U4OtGOON0yc2e0yCpROlygTdu3DQBbmkESnc8IcFOiCNSSYA2ZrKcn94u0Zcb589zK5XpwLd7wcYrrb1dSiyukKgzaHy1VwRxwuC2p0t8rxIztbYejYXK1MZ3G0HGKqm8VJUSfLkaa6WLkvCg726uAmTg+oYc6WEzyL4xWVmZwwW+5MDlkmtjpngNriqGVYldPWE2oceKRWMzhzbb+AHHus+yY4eS2v1uHL6Lmcv77WDROBqBHJNylQlweaIEQKkDRZMI1bZOIQHbIpkwiE2j6hkNHzTC60JdBNNOQS5Jl0IH2dnIDE5hnnmE6YZw1pblbvTbM4zWy+McUFpnu6TA4tq9/K6Z7ye6EkZ5PBp6S6jhweIosjyGjvs5j1jNYbM9LX9deiKpcX7cP2KbGYzaaSZzbhrAqlRSdLZjXwPBRo73U0mPnnodK8QYRV4xykxjT5Cg0b7jp4zHRPoqtNlWMRh0oOP6Nij7gdAdbohdRjSnZK4nCy+agYocVl8ZipHkxDizo0njbVv8X6JunuTqeUH1z/rWmfPu2u4MT8niiX2QHGdSk9oVxoq0sEMEHfaOTDnCSAmeYtUXqN24S6gMl/mmhxRwqAp3tUY42rXCs2CHP4WFtpIs4WwTd6Xftold0vNlBtfhhmtjhkADzVM5v4URcN8Kf6aph/+jTTL+/nhzuOl019Xz5sWvbSi5Bc8XDFYuG67hfuBkFMx2wqT/s9qVxcOLhbtK6/OGRuQgvzyIjXDZZ8+n64jm2SQQpY8JjYPjZN7kf798SktGIn8rX69029C7ue3khqleafLz+CpRVSyhq9mz2aQSqlx0dp7HKN3NmgCzZIT5vUw1x8sWH8u8IafcMym+0ScqUZoQmXCcmbtaGqQ1K7sqdVSb5xHerap7SrKoYBDVbhPqld2cMCLNYuoUrRuK+9G1pAM+hEAdW9Olvu4vuBcmlwCztvFk8ueNuKtq+TtEl2/VP4Dgmt8pRQp2/+9t3VL+/nvJ4ggZi/+GSzmOMs9tmpkBSwaojKV5J1I0TlV1fHoxTSLo1WtfaJ7YPUizZQrX9q6CEA2eCrCaYmGWt/0TQjBN5HQR7fu8VjUZfd6mM7fBC0L+lnLJikuMmcX93+en159eUvN/NPWgUzT5iZFDOliQB9uHh/ZQbaC2cFur26ePfeTHSQzoJ0efHh5sP15cW76//eVb6ttthsskBe/HX+ZX41n1/ffPjy6eaXqw9qPiqHLGg3128uv1xevHv3+uLyFzWWL50P6S+f3198SAQL8siCd/Xh1+vbmw/vrz7orcRUNk/fevfu5q9Xb7adlnzTTO5XnnQWpG0H/XJ7Nb/5fHupH4uBuBkqPFRyy+Fxy4I/gzgmiMz8Rjt3K9c+sLu70/xmh7TiIcsJ0nww5alVnEBRyqfPH3WulQ6bPNWj5Gl6hw9ffGvaJah3lDxNb9ds2gVa2mPiNJ2rQ7+Gu9UpfSbNxGQLZJhIqmkmQ8v9fQOP1dkxcZrO1nVN9dVNzAtIwIim8WzPzcePjckMo+R6vaOZt59MeAeGSYrPvAOTAmauNy6x9018G4OCqK1N7EmZqdFBMZTmJ/YW0Z0aYCuSRXloAlEGvTFEUeQFKAZlsI7yK03Xy4/X9X1DEe1/wgdi2XUb+snXcVazYzKa/0DEnYZvd9voM7uJmlFCk6J2d4g5XzRrusUm2vzUqEqvLeau/eraW9etm7ojR3CQSHviyR7d0TnPplJsuTxy7jjneV22rruu527R1PS3dBkOQjQRpnX3resetRXiiekhgq/FX7+5vCyq6q5YPL3d1AviAI9Kkrr7y+YZ2/8leekuPU76sWiLFdniYao83p/JN+74CWwuXGoX3HA5fPjgmTyl5CACyVQU4T1gjiH2NDCuvFyuOT/CKT+JpCqPDWSOABrJIobf1yXLPf49m9EOMoXs9QQ1wVSH2mErjSAg7WqwzYzqP5ws8rurny/effl0+fHL/Obyl6tPX24+frq++XDaIftatGVxVw1nokxSsYVDVe/msKogqeqYcd63rlh5rmD3R91x5TEi8uqrq/vgnM/7OfmoksovelDpMzKL5EWzWhX1ct4X7fjt1LjmV4EkBkIcW1E8m8XCuaWNaCSbk+ltUVYmoKNgHppqMzwlPoQW3rqFK78qmUjxTGRNp+m8rw4CWbSvy7rWVcVRIov+Ta0nGMmYGcbfwDimlr584idSrHLpj4qRGc6ErzuEnFwYQxjDHlf8QIepmwAem66/WC5b1ynqcjaVSkTotmupi3WpABjLJKpfNXXZN+3lzpRpaiGUTERZEKdQcYypVCrCLuEn8VtIDEcomgjTq+qhz1H+unnjqoL+PhCt9iSROg624WyWmg8lU3tBUS9cVW1tDDtD57oBIZs6RF1fLIu+0IzNk0jyiFitB0PXMB9x4wbDWAq7ZwEjVc1DuSiq+T7cft/uZb3pmW+y0oyRbLJDF8vXRTX0Do2X9cQyQ20/aveXpqM/YUUTjWXOgfOxadU4e5lz4HwWNuEkpM/URlzGWhIO5MSaos7jrFjjuenHyMcVx7/jM1KxgwZZMn1zXJwJpqUbMkqDHmhSKnU2RjHZz2wlFroUV+rY6S6jfPphv6aTPzB7+h3vOPcNc0wcZDc7JGUc5RgP2TP62DRVZN/olAS+ojQVhpZ/o4R4va2K50FuXv4jYvH83GdTydisY1wKDqWsrSgTyRwoxfMhPf2NMLleJrJ5cK6XlRumLLGJMoUzkc2A860o+//auI0DJ+8BE5lBBjB8zhUgsfMuMwy8ug1YuBUu5rYBNHgXJEDjdkKyocHLj7DWkpYgUO+yLkOI3pZ1KQLAg7tOASm985QNC9p/CKCoPYiMPVCzJUR0Q2FbKBukahcv9AnCTl6+HqfZ3wn7nbDHk68WoY2WsPqozZZsUOAaPaBKWaejWPG1Oo1lXK+jWNianUZLWLfDtQat3Zmas6/fAbzojnMA5e865zO7uj3Y0O6K+7ApmOFX6d9LdmOSAl+ILdvyKx1xSuQ4O6bmFrETTDA8AdK5P7H8/gdQ+as9KjcB4IZtHODVIKvliNzzFQLPEKJYEJoFqWF2SUKaRjgQOkeHaA7H19//AS1xw5sim+JXctSMrz1S15reOIbY9kRFJcRum7eLx7J3i555BySG48nngVIOjTHPXhQfq1GYdVX0901L3omgaEbplQNk2jDrdVXyX7CnNE9FfsPROVL8KhZcNhUfI2cYKCHIK3EDm6eJdApXf0WZdkl/w9Zw9dfDePgRLfkAmaH+x6p3lkpDEKnzfej3l84tTDxT+UxQK7dq2pcvK/LaVhRpLJ0JqHUPCpMxoTmKZkIZCCwcOzk7BD+LFs+CiITaOTUXzM9nPpsIImUOVw02Y8FQ6Az4IZNRKZLMiAylMeYhWa5JR4RRNzFXY+LTkQincp6iBi3W6w/6Nj9J2cbC+P2JXXz+G9ct2nLdU68ZBynEAY++B0HnCj0IESJzteudqUR0F5GQUljvxLZElIp2BNa4Kuu/lq3jXtZmdAdSqRTFs4XCl0qneN019c3d39yin5xex0ECwXSW967rigc35Pf6pSdereBpCNEMLTRsuL0u+sWjsm4CwUQW6mgxah3oM8VE/Xr16dqh08sID3xsaSQkTu+jRMCxPUzw5UvdLN3fui+rZvH0ZXf0+eULysJKJ1L9oyrvLvc9oWzqd+4r8S46w8TIJhLtynbaN7+G24uUTKR5dFXVoACHxHqd3ts426tWwR3ZiPZQLJFjXbSdm/uV+gbl4cUNXKMFXpBOWONxafFlXiRmRFRgM/GZI0VkwjxWNzF0KoZoMcNIlOWhcSarlkN85fhHRWTl4XuwYlSllwjvja0rlpdNvXAtc4RJ5TybSnHhZz65gPCxdfeudTUTFctTTAQTQXo5+oNk6IGYQLQeim+awm9To2fGIIKrhwvvn/v7P/+6e4+MvftIMjHimSG/DaL6PuuJpUNNh+mm7t80i+1X0qRH18iE+HDtnuh3/flsZ3sRrnNS3JzVLVclE1DDaj/IZFBfVFXz7U3ZPX2mn/kQKDxRtO0VcHfBkhEjuyNXjPmwXoYn7g6pY4Oap+SzOQP0YtOOl50Y4lHoDECr4lmKZmeZxnLnwboYgtOtbFPhczRksw9x0rblSO4MWI/MZ20Eokf/WzbZYCqnNqnuTCjNRouykzgDinteV0Wp7TcnqTMgsdMzFkc3RdPUDjxN46sqbaqmgN1/d0w7azlKnaMpXd++bDdslXO02VTyLGjxxZBAxy6IsgKKk2+RTj//VqDFFwYsm3FxoIBb3rFHmTzWUegMQJHVLstEr3jzNWJZVbfHUaZtRl/4HF5yVfa3KaOUzOAss6/VkEw99zpInQGpbqR3GgWqieAZwIpN/0i/my2tKg9CeYCmz7gvy/uXW9dtKrIBx7/juwdfi2rDvE7uZTc7JKXX7RM8bmJbdLtPz+5OjDG1oZAdoHnCdG7TqdSMXpF8f/Ph55svl++urz58+nL169WHT9QDkkQqeQfY/8DqXde3xaK/3C5yyfv7VBJRB/D2I5tn7P1Hkpc5FKLe7YspjrzdR4rLHyybSAj7d2RCxf4dPxnmcyYnw3x5k2eYAgm45a4GEmZtEZrYMYQKRdzFE0DoXTwzhrjfJGDQ+00pGJH9JZmF218yAwkzGoGEmtGYEfqirAabrmQYiWWAKIaKfcNc6RMoxnIZMOpml2x/yKuECaVzNI+0qJHaJ3qMZ8JoluqOMpHMYV3pbSvJqiq2rVQo6LaVwJa0bRWDDc7zt+neVsWDNz05/YCf429FdkEF0vFgmCwyURzNpPq2qDs2sJvJeTaWYk7pCHZmGvXw0LqHbavEZ1JM2jyTKSlz9eYiWyz7FEvkM+7jWTCliVeUUbthpgWUp2Minv5cVQsnT9JEOP25oAEuNnWLEVpOB7WY0oRO5NPuUmnBxGmeSEbO9HKiyZM/kY2e/+WEQ6aEIqI0K8zawOJEUW5h9Qa4FY6bPkJ4/gwyq+dgJpWyx9DMK5VA8NRSJEybXWrHcSScKTKULRFNav+riB6KuOPUACK1Z2FjiCKORRdGpHd4QkRMzOVpg2K0cFxcjMylCo3RIjHRMTKRJkBGC2Ryaud0ZEKkTMTYKYNl9KsLMcgitrrQx1loAWPhAjKhKWJAi8gHDchwyrgBdc1Fz+gjdWc7plePVeikPjJ07Yf1+rmzdDgemzarz8fV8xX2iDwyU9GdkiNYowv678qun7vhCanreumeXXc5dfyHK2VMOnyz6fLdzfxKle3sIIIVnCsJ94hDuXZVWYeX+USkkVQuKv8wV4t0EDkLz6pY62h2Amdh8T01xKP10kqmYjl8QvFB2WQjqbNQPbTNRtluB5Gz8EwvvkA84b2XrL26Xzxq+/VO5Cw840kxRKOZECtZ1m0zCTfCzOJR6Dz9p2metB36KHMWotYtC20lHWXOQjS52QbxBBfbctKMn47GaDSPRitpNvW34Y8qnqPMeSy0az64QjfNmp2EztSnu6b66q52HnO/gewfQII9XcwpoF+3zfB+qVv+r7TiiCF5yeSvpB+//yH+4COn2aw0sv/92xf9VR8JRsleBWFY4v8/OsGhJuJvJp+rSo5tAZ/g/PMq51U8fujc1RR7bday+MhSV3vN3//0zxxU07iR8qEuwkeJZPd+kDmb8f/xTz/+8McTZKn092VWXz9lGf7TrYuF0g6Nxc5ExkTagL3btK1nYvS3mWFA7Q6zms4PosJGgzKASk21je9XjoCjzJmYnsqq0jIdZc7EJL5CF1lfGj7dq5yR323uh9G13N580uH5omdaMRTL13tFx4tZ+jFKZXGeVek2BFM5VA8yZyF6LLoP7lnZtiehszDVaqD6jDR9+6KvoZPQWZjum/aq0O4gnoTOdXJAvEwYN/jeZzpytlxz0bajr/1hLXcUOtd+/S7BJCod3bSfiJ6F71vZPzJHrhAkKX9WUtPMLBQ+0z6/H2IM7vVrw4u1fp19H1n26eqYbLU/1++THmXOckr7P0X3Ui/elN266dz/0ZF9Gct+yUiYvsM0RYt974HLyqscplF3qa571xZ905rq8CCcsxJ9szxIuNopt8Snguc5nFPatrzLuimJ1h00Z3QArVs1X52t2QLZ89TX/b2yurYCZ6yti6o6FFq9TiLkz3RYbwKszs3VFt+sdTeVPE9wijrCwZ0xwOHQGIaNA1/0TEEGbu1qo80Phc/JeFMvjEaOzuA8vW94omMIWVWOjIncmQ66+/fFs3HghsLn2RZKYQyF8zFOr1MHEv7Z/O5yNZdM9WDO7WYfPbr/ajytikkFX+p+cyfcbz7+iMeYDqGy82bT0oHK0wxnk8T0xPvExyi8b9rF/osKuweXRt/G4DXTUkaE+F1pTzv4BE1U8frpbTF8SOsF0DlOm1BO4bIBUcjYyzaASvEGRqCSvnKhUileq/QUxs/M4yWk7yH6JVNcPIyqRG8aegxJVwujULGrLB6M6e4KBRG8U1a/bF9v85/z2v8ZNqzb1NRX90Zl8tPgZna1+3AYnOnsJED30wCX6zttu+oecL3H9Glq/8W15E1IWumXXerkkjbtu+LOVaTpYYs7EkoG4L6kyioXv6AqKJ4+3Fg/NB9c/61pn3YPGfIzBC4t3pPv3H3Tur8U9bJ7LJ6Ypx0FJbMwA7r0bLG4e67Fhr7GJOMcxMwQEyOyCw1iZoDjDkElxBvhq2vvmq7syYkEn/dsLMf0ObIElvdIBIz4o3ExDKLS47WtrmbhoiuRJXlxhihU3KftE/56aK135Wig7fwblQT2dT+35fLt/PVm8eS2Nw2jb0SJAorXk8Yh7qrsw1j3ccXK5eFgmO/aIDDS921sMH1hr5q9bEYcV5OLMgDG1fzCzIQiTu8BoPiUH8WCR9Bft0e1X0vupTBYGB9ZbTZ1s1FWhvqalD2nGQhBVddf0qEt5oKA1twgSoc2mRWCOjAxZ8W2mJ8Q2jdFZ0W2m6kQXP/akwU/NGdvS/r1sdOvuEH6UgpNeMxq9qWMuYstFPtUS/3QPyJ6jimtqhaPm/qJexfQ1zZObFV4X1auZl7i8PWN0lrVrVxfLJkX3nx1o7RWdZv1EAz8pqCf8vAVTlKbW7Cpe1f3n8aRJ1IbTpJblRZVWXT0Xqiv8JRUocxfOYwNAflmf5hAHNPAi/1MjrH3+glS5qypHM5kVEpfHURQ1fJL/eP04CJJv62yFeOe3uGynk3E4qWNbaEc7NbrF2YDnwUJRJNh4qc0LAx4XqOAgd17wtojccOdpTBtvctg3OjYnuWodhNCCXzM6Loro8nSc4liMojSLEjGik6MtChxDy8DgV5fiwW55UgLwq5aCxd13zIY5tK1ULAt4rB0ZgkH01goji3ZWIm4od26HEY/D7v9OdOq55QXsOzZcQlrgw7VNUpsVig050hTbMtIVCGbppEWwAb5iibfC9jQK8bh73hDbzrXcquzY06zUSoadwvDBYsUXfetaclGPqkYpYJUTGKJ2vKrY88sT7/i1cJViZfXTKyUERZ//MVtdvqaTkmtytZV0XNfuPC1jdIq1PmLuO2h42VVuppewwW/wwc/I8nYIfEklWYjel2Vi2JOP6LL5DybSAknsVN0i3/kCOI+UQFARyCwqoXYA1xp11UapbvkGUp66dq+vC8XRe9+cS/cFqJQdjKDs4B9FCyqCvBjzOjqQC8stXaRsaZu31kIjlIZEC6Gt+Wv669DoNqovrXjSMgmM+Rfmq6vJ9HjesJxHhnwruvOLTatth1HYqkQi6au3aL/ZDHAhGyySWyGBYGJJhRNr5vVunVd17SqLjMVS4X4R1XeXe5zLJv6nfvqVF6DkU9uqPbr++J5GA6qupmKZYAYAszLheN2YQWOqWQqyqp4/tg0FXfcxHFMxZIhytoEMRHLUBOXO8NQ1mQUq1AXE8EMINfLyvHhbgLIRDAVZPie0n9t3MaZ7BopnYoUuWfAT/rjFw5MEGqzRsjmwJFPLyQY4PBC1XXnfVG52nXd3C2aeqmysrR43vr5VDyomEjpVKSC2RniIPbpc6jlb2BJyiNXsXQI793isajLjtznkCjGgllBPrbNepjD6+bYfBapcFWzKKpPj63rHptqqbO7hGzyfGV7G27uqsHHNbVtmsvnkYr36Iq2v3NF/7Z1f9+4evGiQ2PkM8xq/pJIxmeR3P3Xa+3c8ySSbpH79mUIHlNa4pFUFgT+9qDIELlGiEMsy9Yt+sPkkd5l5kgI2XSrQzy3CFkc5rFF47RTNcvModC0jfst5z7u35pNO361F9B/Ekkuf+Qwla0B7gDVhlE3b1xVkPeMOIKTSKpy8K44B6K5NI5DiZe4OZT4bW6FC2vqsj8+IKCbyweieWYhF+tSP+3YCWWYMjZX9aJ9WWuNdSCZ7DnE81TWZ4ylkjtn2zy/DDtiqs45EsoC8JG54CECfJRueCkBPgvH8yLE59iJvbYmDEdOvmCeIfp+N/TL+oH7xrM8WgP5DGbsoVnevWsePha6hXcgmQ9l2Nxualf3c/d1iDNSLj5jGeUDfV88H95+fsfegohjUtkkz+LpFzLY2bviqQwcAn0zg6NKejxDxAziMWKRGOoYjNgyUr+AjK31xZOb6bI+floTP6cRHZx/NBN3bLGTu9YtXd2XhRDWMT2zmwjYFYN7yObd4wzb+rYN/RxLXuNiN9fiP2HZnzyjtsylM5xO286lcyxzjQvcWFuzX7omWjj8urVWnRR/HyqMRtsjKuOrAcs6IHkFYJn7Z5n1W+f7WWb61jl+ztl94rw+giLFPU40RyMe44oiQXO+OiRcDlAaCZQLtCIhcoBaPMQyIFAGV8ZgonuyUwBsMzZhPZG2kogoVkVLTUiicVKpaLFt2eiGbCoAsNeF7HKlYoC7f+i+XyoOHADpzaWE0MdUJM0eumr3PBVMexKrPoNNBVSdYOvOrlPR4FAEPAghuTmhSL1pI7IxehlggGg9H4aJ08sAEw2k9FHIEMoMI04JwsRyJoOAJ1jw2VUqUPxMDzjNS4UArk552y3kpal0jGgciIdBRoBkwYjEgoQcRBRIKog6zopYZEUirJIRwYsOUzLhikMyEBDQ7+/TkqH8GUCQoH6fhQvnT8Wx3HTyl3TQHafMoPHbThIlfc8pA2L0xpNPRd51SgVRRORPNzLlWHwD1vho6aPk0o4/yjeHJx/LbF3Ru4/kWwnT7GajpPSq/8RGs8+lLfDjj/iBmHBffJpb9Lr4iYwzOH1bLkgH7mk6JjQqWrp16xbbc8ntw9Tk0PR0UjK4ev+a+nyzXjdt75YfmqU7HX74x5m7O+ty4kg3ZPTOG+pFLk/fJJFNz6d3c7h4VFqzVqiAfjqVtuFtyPluk+qyqKq7YvHk6SFSiBqAF+O4LGNPxlGwtAF515BL0HfNA240yEF8yGHGj9xBN7c9JGa5sGRJDvtjlvwAF7IUvlVxzDj2eYpp9l7TELEx0TcpADG8aRe7NWSKntkpD7YGouXkel6zbqrmgfTcMN8ok+yA3qImiTPMKzvuQjzOV7R49Hw/BXKbKA3wkEV2uKW7LzZVGt0pjxx4QRTVm9fvmodh+T/EbbET8EkqfPK7jTlQZDo7CAinXlNg3kVf3DXttFD7Lxwd/p7qjqcZxZzwCYczDuXD+NKEoOPVMWlEFfE8q1dJw65gU5OvJY1/Us2NdiLUJ6H2n+Dwf1fl/vPw7cNyEXwnc/++7fTX1Camsos+0OsBjpr7x9PIGB5dXG5r4mpV9j3xwc8gBT7spG9c09myX7celyxkZvQT37Fm1Ao+QaGN+FY1q08I7oM1Rr5HzegWvkRtKzfxzWmu2N7XphNKLX5XWiw5+0VpEw3/7WgGgv5qtK0mpO9Dc3XAfRnaREB+A5rRHHz9Oam+6e88R+o8/MKziSH2LWeGQvqKcwqH+L1mmYX9UrOtN/DfZOb6BP01ZpP22HeXGQTpi8smjti3lRkO6avKOIc391ws3Lp3y7elq5b+xGr6o2ryc7Fcfmrmw5aVa4t+vHm5z9r/PXmOS2YYnesGmMyc919csXjUqHz1ZS8BKo7PgC+qfghl7cuv7hNR/umvusZq2+LlqnKr8fp0n+3oJ32eh9JRmR5+S274ILNoo0/QNA3OqYo19kQuaOip3q4qF3AZX305JM+geT18ZzBcBQnKRxI5Sj4OKY8XXIooj+j1O+vrsv9Wdu5tWfXBQm3ym2oIvJ7ffBjG4sXwSLyf6/g3Va6XTb2kmun4d90SuH7c3qm5GU/T9qvf0U+qPMlqNNTfTmTXisT5iP+znPdoN2ksyByreUnwjed/cX9H85t92aalO7DPyKl7ILfsaHUP/HjB1ZGbZJw+3jChCulvs9L6hA+zouroHVBanbDTiatTVGeVoTprhb46gzpN89UZ2q9uFA24S5ym0D2XTAgUM+QP6dPU9szHVGil4mwIL+ma/OA7V841v1xEVf6ta+r54tGtyCt1tOKJTJr6VUMeINJ6d4nTFLbuYfQdtKjKQ/I0pQ1/JEurPQkk+hLXXA+6OrfQjCBfTAshLil02l9FFhp+Fl6RhYpZDaGuaVSvvozysfDFpusPrhniNTQmfiyS6sgKhTXap05XOV8/OjoakVd8lEm0RsXzm7LrC+ahAMYqTYTSAIqKvBtHK94lTvQ4lVu9L/oF+fIJ43ZGImnKO+YOBa23kx7DRlXelf0QVXtZqfq2J5UFgbmhIAJIn3ZRqa9fLDVwksqCoK+Bg0ziFICJWmJmAFJ8Eq8yWGhXRd87f0Nh/1fVkv26vnft9ZLYnxz9osyxdw+uJXM8/qLLcWgrP6/hb6pc/rMp/Qob/qTK4xf30t3cXxBlG/1iyPGmfyRrzPtVlfPWqg4ZXNTLX4tq4/ztmDCBKv8Pruvdcnjuy8949Is1x5t7ojaC33W5N/Xh0uy78skd3tjyddCplJp68ZQm+F2X+2Y1BIFQ9XP6RZXjTe1u2vdN6+d3/Lsyt+plVyyyEf2fdXlvVzJFNbowvc/1+IMpv8915bru1v19U7ZuyebuJ1Pp2j98/kLUyfgnXZ6bqrqoKubUxvtVnbOQrTHP7pHN8/STKs9b93D1vL5p5307vuS8y3X6I7zdfNs0PbDlTCRTbDsz0wYu09kXaeZAEfM7buRMjVe8E0hXrNWbSW3vnsmZIa94L2FRje5VyMpj2xSU9K6c7OLIFS29LINIXn05ZqAkiu1JVEX9sGGuNoBooywywy2Kzs1dPRyZfk0h9PPJjLksi8UQmr3IwUpmlhn4G7cnwzN+E7dkNPZguCXChPXz6k9CFoDgQtl2u/u9W90Fp67jn3SX1FxPTjaPf9fltr0KSZ4Lj38y5BldlnDJDLo+r5dFTwcJhAlU+Qs5m/McNlqDqefuj+p8mk1PZrX9OzwRunh4aN1D0TvhFpifBp8CFcN99Ddl9/S5oz/aTeU886SYaBIfnEG4G3oZ9/gKrX8skqj8ZfhS+GGFKb+JzLDwOaShLTZtR0/XaJBj+jS1q+KZfx+I1jwWSVZ+Mdz/NxBM5RKrvqkqZTcYi6Qpfyxpx0jr3adOU1nR+7a0xkrYsEUVNhuFwl3iNIXueV0V9KEbrfQkkKaYeaWRVqp5qREuOfjiO1MNKe+9o4jd7vI6TnUSyAsSeVyJaTTDA0s4UOypc46Jfe48F5bwODXPRL1PnQMo9lw2TcQ+mZ0DiX9Gm4YhntLOgSE+TUuT0M/TZmmmsqpuj8NF0VC+XF6sZlX2t8aRRsrmxRMWy9xcJFwo5wCpm1vXrZtas1SYyOTFGT5purxTrFoO6ZMxgmsbwzn6cCH/9aZ62vbR4dHw4LI3nQpeCXrC26eKqNJT6fAV4YJ5KJ3NdbaQHkgnobnZP//CCq899uRKBCC4KBBvx5yNKCzq6ZR4Qzbt0rX0l0KErGcnMag+M66vJSr1KluHySyAJCJpGaRT/tW1d03nbl23qeiYTokjkM6BFJngSTyWaZ4OTlydS2j0Gj0fmLh1IoHRGyg5a4ydQcj1pZtHaPuYuNiS+5h+yaWD42fvEpdyDq9D4qc7EpJy0qNDkieEEpZhWqhDE/YUJC7tzoIOKr7+kdiMqyC95ZfXQTHjb1gJ6RCx5Zo4x7Ev2nSo4upbItSvwZXNTG9Lim2r2JzUwaBblBJd0kalchRHNpvEMWzZclLWJr/VLVYgseGdBCWsenaTVYBwl1BxnLl4qptvlVs+QAufUfYzTxSaRe/LwcCUdeeGl2inT+pgNL5sBpzN2o7jy2bAWQ1nuDYaTzQHTLMs70sjjSebAWfpKmdsKU80WzfGV6dhN1auTWPdeAjtsOH4stmayobjy9pwQjv7Zpvv+6J+mW5fBVReQtzO1uLiiMp2Vvsro7CMPjej/H4a8YOpPwplAAA2IEiGeIyACoMLFBAIxGgBlfLhP926kObebDc4yGkmGjwW1/9vagd1/0O6vL1/kive+Y/QSX1/qlzR9WPq4Z4/JdB1/BgE0u+n+uFuH1MN9/qw+e2dnoDi+nxsYj1Ohfd3bDoS5K2Zi0zwpXJeb2cU8bE9TZdrbBO5ImPbg+aq2b8NB6kfSaUjAP2bqwJL/2ahhHaPdXEvId7yhyUX/SFQPvPZRBBqA6Cf37p1VSwAJ+YlzNXTqWyRru5zG/0YqR5yZCBAu0smjzeSYiqZAQVwqiQI6lVBDNmtkgSAXwWV7zYYlOqPQhkAAMvHDgmL6eOxQluwu80ArOe8hLlsAZUtYgt8bqMtINVDtgAE2G0LKAGOQhkAiuHhzd1tFWEPgcTwRDPAAOaIJEHNEYghmyOSADBHcI+QzRHTIwBzBAIA5ogdlRZzxGNx5ig+M5mmy2uM1PMSDzrJFBlmJZh6zBD5ThC2QzH1GjM0hVBboQxzIopDZ4PSZkSUftgCpc6H6J4A258MsyFuHNqtj2IuFFsEjlPhhgc7kgry1pxHTfDTDqMIDsVJFAJyOPWTVsQhxUQqFWFZLj9DQ2Gy7zQSMgCEnY4IBQ4wwFhg7TDzsmWGWFi2ETJTsoOplEKQvTR4yapmUdDfmyPznB3TM2XyYTm3UXTunfvKtBOpeSySrvxt2XZ0X2WVH0TSlHd96+qHnnxehNY9kkhTXe+evLoZAsfH7/9ECULBNJBi/zUPRb8bi6QpXxXPvxZtyX1mkVY/FUoDGL77+61ol/hIno1FEvtA066KqvwHP2eje4AnpoaYWrTtp2eP3zYQDRuZFLdvsQB5IX82Qn5aZLospumyBAPMmHUochC8hBJ/RkBdK3zYu1wn8kMzSoxYoLvcV+hI9wQcIbRdIiFi2xMghGB2CYKIZk+AiISvSyBM/HoCjBSwLpGoI9Z1WEDIukRnjVnXjrBoNHjMIFtCwXWQYNi6BJoSt66DlQPXJUZD5LqysZnQdbGFNbHrOhw4eF3iS4teV47oWPi6OJ5N8evKGhUC2MVK1EawR7Gms8vN6YPrJNpm+mV3aB7ZPZVrKLfZPiXnazbRj9VX5fhrZaKuQ1K7ssgs0FeITP3iStn92kCfvE8LqIrO/32NpmuxAEhk5u9jGK7AQhDCRDtEUN4qhZojMsUOm8NwgxQAkSbXPoP2tiigXppW++q1N0MB9bEJtY9guQUKYIhT6cCuqufPcQBk0uxzmGfKmLGKzTope2WaZsZx0Imwj5Q0+41jRaa8Po1lngs0FTe5DdpHNaONK8ansT5J4twVGE3RCWswlmyzVKCWpKlpUDHq+SgJMD2O2nT98DzLsCXqFrFdTjZ1jmAMMe9YSAZbDAbjyZEfdotR7MRyQWzq8u8bU20cJRNQJv2gdcXQw5FOQCfFe8CiWK+Z27RC1rOjGFNkpgT8xKa5rpfumTmLlkimsllwuO+ciRzi586UAKuC/OSlqH8nk0X9fVU8qHvb7CCVpwn6pi0e3FX9UNLf55XbwpPOgvR15/+YV9kknLFkTpSyqfnjcABoJJ8Z62LBzjAwrmMGWcDKwT7s0rxx9wV7mVdio/PIU2+l+3ZjqK2DWBaIdbl2lWWwjQTzgDy9LRZ9Q3/rVSYZSWZBGVYBnWtLZt9BYpmIZoFZHKYRW2+n99i+eBYo97wuW3dx37t27hZNzcQnSGBkFnng6kX7QnwjDiYL5PM05GNRP7h537pi9bF1F/XyY9P116viwdDPIplZgdGvLJnZYh9g4jIWyyuufg2T3Dj/q1Pe+coR+bhPbHdaKpJpo1rZvcU9a7G+9dvX6nm1cG4RmV1r33DU1hq/yS7XmXK/XYcV23qX+5phF16HJ2zIS2TavXn1apbbpo8sZFU79jqoyOa9BGbZx1eu9oQtfXGdp93d12EBG/0SnXXPXztCo3vtMYdg2XLXQYKHAhJoyvmAftbPHxXEJv3KUwNlYzMHCGILa84StBNs8FhBnmWnnDAoR3TssEEcz6ZzB/V6ij2CiCyidKcRUazxhvQw9ZlvF7PQprSQHN+YHsbSdt1l0TAbS9MTc6lM3PTR9YUdaSydDemhLepNVbRlT26XRKGm8tmw7jaLJ9e/L57n66IWNgaifExGmUFvm029LOuH/4+2++uO3LbSRv9d3OdSo7cAbPybu8TOrMx5J29yYs/MhdesLLm7bGsiSx1J7cTnfPmzCqDcxQfPBgFWzZ3dJMGt4iYJ4AeAl0falnRJqOf34LJalH7XrXYYv886H5JoS9z8fsQ6yj0tRHLS7VkMQ6fVBpCRM3ZHkA2dTPnmBDlX71MTQ6fa6A8gp9zTCzAUSreBTQKZb1YPJpjamKbpNdeEHrwo3YYzvSjzzeWhUPRGMolismk8FIDeICYBTDaDhwLoN35JEDuavEOBdBq6JIrZ5u1QCNuNWhLJzqbs8OOr3y5UnmA7WoJDAY01VtnLcX8TdSiwbsOUxDPfHB27YLwRyq7SRNNz6NSjDU4Sy0XNzLE7a6Nxye6rPU3KsV9Kb0iyH2ey+aiF0FZY9bU89q1WuvUNgHad0qGl/5UVStfv0Y2FUncukTqwOGrd5evXu1d1SUPYZfwH/dtoae/+tvEnfI5vdo4KPV1/msrgKQeaGnDa0cbG5qn7zQ0460CDg50Qv2/41f3L6/3j+2YmU/20IWzt5sgq/Z6fPg51/NAdx1NxwOv1MwxrPf9rdrat9HB2tbFmQuunth7YvLJOhdVvAuph7WgKzv1aepOw91tNNg3ncqvfROzl1o6m4kxonSajHtVs03EmoE4TUg9otik5E9BGk1IPak/TciawXhNTj2q6qTkT0kCTU49sb9Nz9im/0drrP+j3tPhmAhxskupBXtI0nQm030TV49vRVJ26wEqTtXNVZ5quM6EMN2F7NZ1LmrJTd+5Wk7Zz3+5q2k79kp0mbufHm23qboTUVMGfnz5+dfd6993dS6M1SzW83WO4Kv67l9f7n+5ejx/ePpa9tXBB94Dxqnm3Vrd9joElAPp/2b7q+UBge6rpu0LtVtcHAp2vtu8MU60nDwU5V1/eedG79eahiz5ff94Vql6PHohysj69K0C9Xj0Q4GT9eleA/Xr2QJA76tu7Au3UuweinK1/7wpxux4+EOnO+vjux3u/yjv4hN9R7d0V8Fg9fSDoC+rruwLv1tsH4p2vv+9LCF6PH8mCifr8rtBG6/UDsV5Uv9/3ZNio5488F/bU9/f90nq9f+THnaz/j4Z4Xkv/l/vTwmNqnfxs83gNXMUTLG0DTs5j015lT3xF9uZMy467T/Tx+em/j+pU4eZ0q933/3XKomztX9dbk23gRBoANSfq4s/AiZaH79C5Pu+7/3R39w/aQtjt+T7vvPuEd3+/u389tZiHzni+9+5Tfnf66MPXyjoQzSnP9959yufj66fnx//Nl0JpTnm+9+5T/sSfos3Jfrq/6I5TlrNoT9NZwmLsNHofBTvZRo/E2Cl/c0q3ufOuD9l98senLz89vzw9fzNx+7fH7D59t0OjOfE2q488CB4env7+1f3LX/+dNwfbZ8H6gP3vjPvHHx6Ovz3d5mOvjtX+l/29f7p7fr2/e+h8hJ7/2c1x+//6H5/+/ufj+6dn5Vsx7Z+/PmD3iZVB1G2NpzOEeuA0Tx8fnn4on2wce/au99992k49tjklq7XOvl9426l9s0y0lEb+ysF2UfsnX9IKGslqvcOmTejJ7pmx132vF5O98Kf7LIfC2OqtIJHs6pcYDKbTCqWRzDY5B8LQe22bCCb7aMcr84O1ifl+l4EQtvsJmzh29gqOPJyHutTaZ/T+DrShuo+qJKTmM2ciQzW/Xqc4qfRNd4GPVE5UOmjrI3NQwE/edLA8nlZN2ZwWp+w63vHSbcYrBQ806Un0+3tJtDBGe0zGg+n2DWlhbPcTjQfQqxNq59+sH46f/v7x/cOnD8tw7T8cX+8+9PoltIC0Uq4S4shbVAts9xt1PLztdqMW3DyBT4a23YOghTY/enX6V+u/cfTfbMfbZybXtmuxeq7trNGOh7dRk9Mi21OrGw9q48WpBbXnJToe1ECVQgtsb/Vi4qWz0VRT3zt7mm3jYQ3Wk7XoLqkzz70NBurOvRfC3jr0eJATlXwt0Esr/OPBbrfQtBh3ttYmLnanj0e9wrP9PePhTPX9aPFd3g80cUdvOHj/ft4j4LO/6EafofojTqr3dli8OVZ6Rd+PtcfW+443yL775ePdy8sbx49mFjnbu05JWzVx+EN3tx1ZWIONx7EQRluPLJCp5uNYONUt337y+ZCa468T1nazlgUz2K4dC+HT20ftJ4P49bjrhLHZvmYxjDWwxwLY0cJmIe1tYo+m8WAbm+fwJY3ssQAHW9ksvEua2WPBDbazWXCXNLRHf7mBljb/3fY2tYcfnWNtbeW5eUFjeyzAkdY2i213c3ssrJH2Ngtrd4N7LKzRFjcL7aIm9+AbcaTNTV+KuxvdY4HNtLpZfBc3u8ffEKPNWe0lcVFbdizM2ZY3C/UqTe+xcAfb3izKSxrfg5d8q/VNr/Ou5vdYQPPtbxbhlRrgg3f3cAuc3tuXNcEHf9WRNjj9IXc3wtXAeCv83z9+uBtE0dWu423wu+fnu1/+5f7h9fg8fYJ3cPBWjXz911y1U4AEd0GfwFCg210CJKjBHoGhAEY7BEgYU/0BQ8HMdAeQgKZ7A4aC2u4MIKEM9gUMBTDSFUBCGO4JGApisyOARDDWDzB0+h3dACSgvb0Ag8k72AlAM/eSPoCh8Aa7AEhwl/QADIU22AFAQruk/T/4qw00/+lvtrf1P/qgHGv886fkBW3/ofBGmv4kst0t/6GgRhr+rHqyt90/FNRos58EdlGrf+zNN9LoZy+/3W3+obBmmvwkuotb/MNvg9FWtPJCuKgBPRTkbHOfBHqV1v5QsIONfRLjJW39sYu91dRnV3hXS38onPmGPonvSu38sTt6uJnP7ufLWvljv+hII5/9iLvb+FpY5038+qHzx++fnn8ql6fTxFd2HW/if//pgX5Zulfwu+UgXr3Wop9/GXVjmH0ZTYa1/ZzvRrfzOb8jyM7ttRnh7N01GV53enU3OD7V+oqhdZsm3dDmmybzoW3MNt6KT5t5fMUgO+2nbnSz7afJsHqLFnTjogsYXDGw7uIG3cj4QgdXDG1ggnk3wN5k82te2l41sX9tp6uJO0N7+rAj8VbH/s+8JXgttv92mKjFToYzWovtxndRLXY74PPaWP2IYjnm+NKpirH9JoY73r3/6w/Pp+/KTZX9bnUcr5DRP0Drk368/9unzmdbWQi/HnP56R+V7iX95I/Ys7T31B/rQgoVrH73j4/PW18rZtHohVwe4MvHu+fed51ZPL8ec/npj//4eP98/M33r8fnzgcU9VDo8Vf4VV6fnu9+OP7u8Yf7x9kfBw69PJhT7eb+9f/59PT86ae5WODIy0P5+fg8n76fD7o8gL8f73/4ka9kogfw+aDLA/hw/P7u08PrXx7uHn/4dPfDZHKQoy8P6a2wvzz9fHx+vufVBT0mdvjlQb0e//Fa9vyPPSlDjr48JPvh5eOPx+fj/rCUEi4P7bv72Zxejrj81Mo6XvqZewt6TZ2Yr+zVOXFnia+pH7t8bVfrQej85OfHXeFRdv/w4f3d84c/dcdUdJ5q7PjLw/rx/sOH42Qovx5z+em7X6ln557/RP1gzWTq+/S0bnL5x+kHayt7KpWzPZ1TF7EPzp2LuUOb5wLb6n/txbar83U2vE7Paz+22W7XqVqPSvSdus6cz09VLnq9Np1axXSXzeT7TO9c7b7VJjtVJ18yG/rdfcHsoe+Z8MZIWQ/xAk+ebYEp/dL9xtdMp/RUj0Z3IEinX2N+FMhka16Dz24Tfko95y5cZxhb79LNjmGbCUofWqRHNDmuaCMc9t0hpSvy82eHJvogG3b+6vjy/vn+Y7dT9myf8Q7O7gWmxQ6sJtuEPNmvyM/b7VMcPeVf+RLP/Ix/7azwPHrCTo8PPynr7dnsNh8IRG+X8DhIm+QaYSjNZR4DNpWvEgBvNisBQJP5GgH0TYHHoXjCNcLRbYGHQlzhGmFMdPTzuEY6+a8RqN7hz+Minf3XCGOs45+HtNHpf5VfaQsAlB9L7fy/RlCdzm8eDuv4vkYgI53gPKJuB/g1QhvqDOex9TvCrxHcSKc4j63bIX6N0EY7x3l4mx3jV3nxKJ3kyisHO8ivEkK361gJhHcbX+WBMNSFrDwb+t3HO8PDlgXu+uXTTx/v3r9C80LZq9/G2DjTaSTGxmlOu+w4x/0z/Nbnpb9tnC/364/H9/ff37+/08pe7TBV/r/dv7x223ftDhPtu9PEwT/cPf5SJ8rxDFzvMzFX+P1fH5/+/nD88MNRqW6Skt/BUVoLCAJXJxOe9jt+KN/uGo8BD7tOEP+q1ZN6IfxrZ1REJ4Dgvft8nf/yl1Oq7Dr57a/HjsVwex54L+v++NibqI77TAybmpgQTs8yPxO8+YO0kfVPz++PXx+ffz4+//G704Obf1aFR8UPviygzdHiLJB9w8THAtroEmLhzPf3jQazMSKcBbNnKPjoL9MZXs1/l9lx1aM50/VBLWfmbXA0IN23eCyTtjUaht4zzMOY7BUeDaOvCzyUHbIwGk53Lg+LZX4Sz1gg25jG49kJaTNP4K1JRdpDeNdsorGwxmyPh3aB642GtzHyn0W1Z8j/4CXUBtPT6zY1in4sgPHh8yyiC8fND959G9M+lXtvz3zP4V9N907lh5q0zk4gtDa81QT7dZdrt8DWBc80wD5Hvdn0GT796pDZk69maTw9PNT2/Ko74ZxsV3uM/6zqnIS2vI3ZCOsQtaed0nZjp+u21cZO96S3ytgZP+9+yUnvxy/Ru2XfydONtoi1M241hOG4+84fe3p5//HxgWrwxulvz44djuMtdE3hPt3zKUYboSzHXSuM+w+lF2s4kl93n0yE82fEqe/s8469uVx8z7lnhnbNO2W/OzuO/53Kn9BppTw93/+/p76tX4+ZjUkr5BoBdmeI94La/hb3XCBKta4Xwkzlbi6Y0SpeL7qLKnpz4XZafb0IZ9t+kxe033HRvbA7ui9mg9tqbPXj29Xcmg+xU4Xfim+2Hj8XnN4J1ItrsitoLqRuI7UX1XxTdS6wbr9mL7D53s25wLb7aHrR7eypmQtxrGOkF+YF3SNzoXZ6jHvxzfYbzwXV757sVoTmOykn37F6h0D3tTrZLTB7ETsg0r+MsywyX5Hk3d1bNceJTu/JWsf9D493dOmqbqXj7agrhYTNi9NCLd/dvXQXimD7jTctvi/DDqfKfffrMXpVuQl8Z8uGBzDUrhkN4XOD5Ncj5qLhBVwe2ECdiQe0t8Y0Gtjmc4WHte+pMhrUZsWEB7WvWjL+S3Vfo9rvNP8SHc+pzXaMllP7WjGjgfXr4DymHTXwmYeC/obSnwOT76fhx+RmzUd5UO6r94yGtdFU5zHtaaiPBjTWCOBxXdAEmHmib1f+9Yf6zmr/aHjj7RMe4oWtk9EwN9vGPLp9LePhS6v3+CnXc7K/bzSQmd4+HtnFfX3Dd+sG7Hbu1T24O/Ur9ttzyg+3ozXXCUhtDOjYS3Ybbwp8GK7+npPr+VEDdd4++b4+vd499DrwaQjnR10vhD9sv/5pEH/47hphPP116uxl9z0nxRHjvz//0lAdI376p+FR4X/8eHzeWmUa9xlP0U6FgxZKKxvnP04T7u6KBT9/p1KxJ4ztCgQPo1N52BPGWEWBh7JRSdgTTrdCwKPglYFdl4S/+JXrMPHSHw1g9IXPI7roZd8JEZ8rf3p++v7+4f7xh387/nx8wIdDfdDQfabmu/z5+NPTz8d/fzk+8zM024efa38+lk4n/aG22mHipfv89PGbu+cf+Hez2kLfrQ7gqbuOVWtSHv/+l/e/9kUOnrw56IIANrq3yNn39GsNhdLt0CKBzPdkDYXR7cIiYcz3XQ3+GmqnFf0t5nqrBnOj201Fc2O+f2ooFL1jit2ccz1SQwHoXVEkgMk+qLEnRbfziT0l5nudhgLp1P5IFLP9TEMhbNcDSSQ7e5aGn6L9apjyIN3RSTMU0FjdkAR1Qe/RUGDdWiKJZ76/aOyC8foiu0oTlcWhU4/WFEksF1UTx+6sjc4gdl/t6QUa+6X07h/240z2+2ghNLXZT6cJ8T/dPX5QarO4fbg2+/Xx7vn9jyMrdPE9Lx/u3im3P+xdCV17ex+/v3+83/HHvVsdeY1QtDHjvSC6g8Y3T4/59PXxdaQZpu02nF1ffff1691rb8zCeo+J/p/3d/xrPKTAd287818PgtzXSGGn3dNKGQum20xhocy3U8YC6TZUWCDzLZXRX0RtqvDfY66tMpoj3cYKz5H51spYMHpzhcUx2V4ZC0FvsLAQJlssYyH0mywsjB1tlrFQOo0W+tCabLWMBbHdbGGx7Gy3jD9Z+20E7eG6o4EwFtJY04WFdUHbZSy0buOFRTTfehm8bLz5Qq/VRPtl7OSjDRgWzUUtmMG7bKMJQ++xPW2YwV9Lb8TQH2iyFaMGse42//hw977fb36+x3hVcGapHnKO+YV64E/Z15XcxrG9KvHYiX+817ps23Mu+15yuk8fT9OoR0/4696XnPJBM5L2fA9dHRk52aZOtCfdxxMjwWzAQBvKHhkYy+4ODbDcnrWBsUuzgQPs0uzRgZFgejzQxjHtAyMh9ICgDWFaCEZC2CKCNoxdRjASShcJ2jjmlWAkiBEmaGPZ7QSjD7StPnn+TNvVIT8S0igVtGFdZAUjoW1gQRvRHi0YumwaF5BrNeUFIycfB4M2mgvFYOgu2yQDco/tM4OhX6uHBuQHmlYDJYjz+va/f/xw99qrbq92GK9t3z0/3/1Sl6gfLPYdHMIrY+t4r1DVJ4FM1/SHgupW9EkU2/X8odNq1Xxyxm4tf+hkeiWfnG6jjj90QqWKT87Wq+EPnWqjgk9Ouad+PxRKt3pPApmv3Q9mtFq5p/k8V7cfvCjdqj29KPM1+6FQ9Io9iWKyXj8UgF6tZw/buVr9UAD9Sj0JYkedfiiQTpWeRDFbox8KYbtCTyLZWZ8ffnz1683KE2xHlXkooLHKPAnqgrr8UGDdqjyJZ74mP3bBeEWeXaWJevzQqUer8SSWi2rxY3fWRiWe3Vd76vBjv5RehWc/zmQNXguhrcDrM7zOt09U3zfW8mxKHVvIcxWsWrl5ff9j5yMK7anhiAtO/fTh/vv7uXPDIftPXqvDUyfHQy4/OV86VT9zZ91U5bRt7p5U6NivSP66y3gG/220tHd/2/gTPsen/XjDp/p08ak2Glh4vpEm1uZJf/r08Ho/fM63vS865UBjGU472lzePPVYzwWcfaLvYjOAfosdTjzQZmcnPL8Llxf18fNCQ53uIHXnCYjtfhayfwLt+5Dnf7X+9+xr2W9EtKeVPx1i937YCHB+UN90eN0OiY3w5jsndvx6akfF5m8312mxI/e6HRibuTffmTEdot6xsRHdZCfHdGB6h8dGYJOdH9OB9TtCNoLb0SkyHWCng2QjutnOkunQtjtONiLc2Ymy663R77sYeHHs6MOYDnSso2Uj2As6XaYD7nbAbMQ53xkzf+F5x8zW1Z7opJkOabTDZiPGizpv5u/0jY6crft8T6fO/C+rd/Bs/ZiTnT0jobXLF/xa9/y3+79+vq/fFi9YbR2ejvP7UydOpw1wvn282l+Ti9b5mwLffd6Z1/FXIWojSc+fVv/y/PRT509Sd56YatQbR9QrfXPNGf0vGXo1fXP3w46/+R0t5EoB/ni6fDtiejvuf+R3uvg3mhiZMRnoT3f/+Pr17uH4eHx5+fwh+9loeSnXC5k9nT4fozyg1jsMP6PaQ4fv7rOdx+/u2VTBk4yuqKT/XddMjSa666XGQMiDd38TZHv3XxqWnlHD2TSdSbsu2NTF0n+F61yY3Y/k/gX4zcsvj++/un/5+PRyevmzOGCX/tPiIOnXsr+9+3zk8b9Gi373l/PD/qL+lRg5//u+fPj08np8PnV2sQDONo8n0/u5Mt+t9+d/zXmcWl3ntIz966fnsZOe7z1zyuGPqKkn3PyM2tmRn6PU7o67lx93nf52OXIiho2vl/31+AuXuu1Y3g69KBh80//h6fH+9en5dz8fH19xdYDVtuH3+3JU5zG83mPilnl6fDy+f/2m18lAyn5HjuO/IYSuPmvvnl+/O969/svz8W+fjo/vfxkPRTn2knB+un/8/QUR6YdfEtRL+QD9su/94w9/ePpAHwAsIuXYS8J5/3z8cHx8vb97GE3Id+tDxiouY8E8PN19+O3dw93je96mZtHAMdcM5/3TTx+fjy8vTxxN+Q11fsh1f5sf7t/fPXxd29Vvd+z94ydFWfhv1S3jmuHWVP3NR2rsem7XA64ZyOPTV8eHO/ptFRbG592vGcRPda9loaLh69UedtVL9PT+r8f5d0Z72FV/qePr3Wk17eGf6PP+1wzj4/PTP375/dML9VUWx/kBVw/kT098fIwayHLA1QM5LRr7qMCpGszZQdf/Ze5eXv7+9Dz8tsCDrhnQ6/gr9PXqr873pxfgMibim6e/HmmfLX1jkQMvDMydr7bVqe38fPd8f2pbnlbbanf7J7PRFMZ1vTpnelvTq91lxzloi+B8U7/ebhOUxxafWw79X80eE8NdP3w41UQGi3z3eXdenWxj1W6D8xbtxkk3lnYbPOOPTy+vw3/n284XnvM0m+7+5+Pwac/2v/DMd8/f3a/G8W1d2M/7X3plz9Fl68r2bGX4jMfn56fn0VO+7XzpX/n08enh6Ydf/uP4/DJ+S75rD7swjp/uH//z/vk4GUZz1KVR3P1jTxR41IVRlMGR3zzff1x1Cm4EgQddfj3+vCcMctyFkTzcvbzWYbAzcTRHXSGKMhzpq7vXqSDOD7r0moxfhSuc7ePz/U93z78MP/J/3f3C874cX1ejFTfO+3n3y887ed+vjrj02b+MGDnrFN56AZwfcWl2j3S3bCX7aHfL3ifzH44vL3c/HE8fXPrtLxOB8UOv8KY43dm/Pc1cWn2+auBlgQdeHstvX54e//jdfx/fv07G0hx4YSz3L++ff/n4OpzFZ/tfeOb/i0naxtn/MqJpvQhssEbWdfPfzLVE1odcHMHdw8PvZxoIZ/tffO77lxMWr+R38+qfHXGF858+evbb492puTsewvqgK0Rxur/nfoWzI66SgzPJd41zfjzvstuqKGBv3fA5z4cDHP/26Rxxtt6Vb3vvOeu6V+Sbux++PluypPaH1H/s9lZ0Kbwp5d0Gey9RcHn9RmnTnfWNwS7j/Swfn5/eH19euF2zUt+dH6H8MRCvClSfHpUP19MTf95/9rSrMR8VjTuMvd7jmgPSSMmjo9AgbP63fV3qkDX7O38g2e2af6VW/Oifyv6KrtN9/VZ17mqQGlankCsEqA5B7sTTH3w8cfqnt6/7afPF1CDwyItD+fh8/Pn+6dNL3XkqlubQXcE0Pddf3n28++7+4f71Xm17nO/SvUW8sWfPtceX1+dP71/Vzr+m2HfrY3pvtVXUl3R7tUFM9XsNxTHSCUjimOkFVOLAStTdy29++OH5+EPJ6S8/Pb9MXBzl4KtE9Z91zgzI+kBEeOBVovnm+I/X+k2amVBWR13nWn16/XHPjwLHXSWW08eXP88AelmKn4lKLeFq8ZUvCB33xtYcfXlcL58+ntoFL18/3n18+fGpTFQcv5La0ZfH9X5Jjm/u/nr8TzbbbftBrRZw3ei+bNYXmAnty821N/pxYSNpqVpTPF5vHObjt8N6gEz2ucprWCt36D3MAp/RZPXk/Rbi+Fm1Hnf1xFt97hPnPs2E0Dve1QjwsGvE8Tu9C74Xx++2++GnrsXpNmsffZ1r8XbA5ed+vSOdVvqZX3sfW5s472kY6d3rPesx69x4Z8dcLYLTk+2X31GG34xkdezFEU2JjBrbLpOZiLI7BH4zuqlB8FO/3fu7h29+fD6+/Pj08GEmInLkNXLrp6duu6aXWs2he+KBagMfZ6JG0R9pMnXmH+9e/vfj098fv559yrUHXieas77/PTHRw3dFdt63/fr0f3/9x/8zUQ9423/XmUnH8dmenW5Bfe/x3sHROTQb57r4UbI5HUF5okyEeMmzZXum9pcP98fH1+VBT6vdZI9LwUIrcksvWLCa8zx+OJsdM3Ta27djhk9OpsetZn2eHdBzALLfxKS2u08vdw9fPj2+3L+8nhJ46hTv2OEDf/9Wd/TSoJ6L5eyoy0P4cPz+7tPD6zfPd48vd1trG+ox9Yq5XpA9T9iObRMSNkI6T9rfPX7Yzthmp/F0/f7pmWsOL/Pd2/78D2uj7Z32y4fjHRWB3rnfDrowgO7KVsr5+YpWw6dvIOJrQKJ1R8+ydfxS3msdgOclvbvf6uh7i6o3jPNFGxOxOtXnXS843+s/Hv/Pp5++O2rd9qsznu98wTnvX766f37Vhkyuf85fd5073+rleOpLv//p+OGPn7TRF6tzrnefPS+bHLLs96/4hoatl9YzWHFbdQwMcDv5N891O3oP/OuH7Qn3/3n/+uPZ2+jLu4eH08q4EI2y16U/aK/YrR9WC7yTK+ejg5Zf+em5P1yGlfHV/XPtaiOF/bptvD/589/QNrU+bxt/jj7Bi1Yr7N3TRs3jPDK18fp8fP/08/H5l/X0N/WcuPsFZ75/+dP94+OR9JLiSc/2vOh8X7/ePb+yMX3kjGf7XnTO37x/vf+ZdEi2Z/x1z4vOd9K0+9fXsZ/1fOeps5439odq1O1ec0N/OqtDKkWry3Erf96Fa1RqUaiLU+4LY3sYVO/nGBgFNR7KT3f/qPmjL/itxdIeevHvwpdiVX+MiTVYx4MYXXxVi+qiVVfHw+wMDtMim13seSahu8ue69k8v975eFD6QudaPJMrnE/dZbvur8mV9CcehJvLcquPwn3rcY+HNra+tRbeBQtbj4fY+QCBFtfslwfGg+mvTq/Fs2NZ+olHqL7KsvrUnFxeeeZidb61oV+u2Y9sjAekf+dAi2byAwfdUBor4G3NazUup1qTA83H0kf/u1LffT41PsvXcOCcdJ9L/xC90K2/iofM26G/78wZO9u20Vo+6xX6/vnpp69f6RwoLO/dal/+t5zH1znjabc/sWlA9Jxne1901q+ff/7z8f35kjj9P/Vs95nzjo4Ta046Mj6Mn7JZ82P7ZN3ZXANnobO4mrN0528NnKWuqPWnu9d2zHBzrtW+u894//Kvf/o5bJ/t1/12p+T948vH4/uBH/HzjrvP9fo0epOf7XnB2cZv8NW+M2fsPpMHTnf7+T//yWytHHteDi3ispuxH9XtqZB/MvuD21heduxW3ojxY/m/q8Z49t77w9PjD09f/fbzQPdTQ+zl49379pLru17lrbhR/MhLsvPHzL9FtuIZeakMBdRUmqF7fTygs0PHKqzz8Z3Vn0fjmqhAD8Uz9vzdioo+jq8b29/vT/Nadl/P5vBrXtP2EbB54/+P3O67b/Ir3Nr7b+gLbpP+zbHnXNuPjLEHxeC5p26/kZtuz3nHbq3xG2o4BuBjFN3+rXHmPuezkDrwQ3Ybl58tdNEKH1MX9hds/61fH19PLrj5x77tN/HXThX57u9Df9iv4Won7Y5E6px9ezTSTBj//fTp+fHuYS6GzwddIYDJU1/1x9/3018lhO9PXyyZO//bITMn/6+bL+5P0z2/+Of/74ufl0kI//yFvXW3+YubL76/Pz58ePnin7+tUd2cdZN/eHr/qfznfy27/cfx9H477Vz3/l+HL26+PdzEeBsk/td/3Xz7dnDZUP7hrYzP/1IONF/cfGvYgaY50KwOtF/cfGvZgbY50K4OdF/cfOvYga450K0OlC9uvpUbMbfepdWB0hwoqwP9FzffenZG3xzoVweGL26+DezA0BwYVgfGL26+jezA2BwYVwemL26+TezA1ByYVgfmL26+zezA3ByY1wlwygdDc8e0yWMge0r68PwhCbTOIHPKC0NzyLRJZNZZZE65YWgemTaRzDqTzCk/jNxEe+tdXh/cJpNZZ5M55Yih+WTahDLrjDKnPDE0p0ybVGadVeaUKybe+Hhr4/oWMG1imXVmmVO+mHQT8q2Jsj64TS6zzi5zyhmTb4LcBg8Htwlm1hlmTzljDzfe34bo18+KNsPsOsPsKWesuRF3G/FB02aYhWdUeUjZG5Fbe4CDyWNqnWH2lDPW3Yi/Fb/+tW2bYXadYfaUM1ZuJN7ag10f3GaYXWeYPeWM9aeDE565zTC7zjB7yhkbbiTd2oNbH9xmmF1nmD3ljI2ngzMc2yaYXSeYPaWMTezYNr/sOr/sKWNsPl2oDDekbfPLrvPLnTLGHU4n9mH9RmnTy63Ty50Sxpkbsbc2wcFterl1erlTwjjLTtxml4O3YHkNulNeO0hNR16E6+xyp3xxwlLTtdnl1tnlTvni/I2EW49/cptdbp1d7pQvLtAzt9nl1tnlTgnj4unMB/yb2/Ry6/Ryp4xx9N3o2vxy6/xyp4xx+cbl27jOTdeml1unl5wyRg7sZSFtfsk6v+SUMWLowW1+yTq/5JQyYtkjW9oEk3WCySllxN3I4fbg1k9daRNMoKpV6lpyE8JtCGZ9MKltrRNMTikjnr0spE0wWSeYnFJGAj24TTBZJ5icUkYiPbhNMFknmJxSRhL9m9sEk3WCySlnJNNL1WaYrDPMn3LGH07Z6dP6zL7NML/OMH/KGU8zzLcZ5tcZ5q1+5jbD/DrD/ClnvGU/mG8zzK8zzJ9yxjt2qXybYR4q9KVGLzfB3uYEB5M6/TrD/ClnvL/x6dak9SPMtxnm1xnmTznjw0043LoD/M1thvl1hvlTzvh4etkkePL6NsP8OsN81po/vk0wv06wUBIssROHNsHCOsFCSbDM3lShTbCwTrBwSplwOB18yOunUGgTLKwTLJxSJpjT35wPcHCbYGGdYOGUMsHSsNsEC+sEC6eUCfTtHNoEC9BqLM1Goe1G0nBcJ1g4pUygrYvQJlhYJ1hI2msutPkV1vkVTikTeGu3TbCwTrB4SpnAW7xtgsV1gsVTygT6Zo9tgsV1gsWSYLTlG9sEi+sEi6eUibTtG9sEi+sEi6eUibTtG9sEi+sEi6eUibTtG9sEi+sEi6eUibTtG9sEi9A1UfomaHZG0juxTrB4yplIszO2GRbXGRZPORNphsU2w+I6w9IpZyLNsNRmWFpnWDrlTOT9Km2GpXWGJavdVKlNsLROsKRXwlKbYGmdYEnU10VqEyytEyx57XWR2vxK6/xKQX1dpDa/0jq/UlRfF6nNrwTdX0l9XSTSA7bOr5TV10Vq8yut8ysf1NdFbvMrr/MrG/V1kdv8yuv8yqeUibzvrk2wvE6w7LTkzG1+5XV+ZVGTM7f5ldf5lb2anLlNsLxOsBy05MxtfuV1fuWoJmdu8yuv8ysnNTlzm18ZulizmpyZ9LJiN+tBzc66bX342b8txxs1Qes2PB46Ww9WzdG6DY+H/tbDKXmS0k9MelwP0OV6EC1T6yY8HDpdD15N1roNj4d+10NQ87Vuw+Oh6/UQtZStm/Bw6Hw9JDVr6zY8HvpfD1lN3LoNj4fsK/32PHcN6+Zv+vmNnr20px+yr/TeK9nLOvuxt7904CvZy/r7scO/9OEnBSpI+mGff+nG59nLOv2x17905CvZy/r9seO/9OUr2cu6/rHvv3Tn8+xlnf/Y+1869JXsZf3/AACm9Okr2UsIwIABmNKtr2QvUQADDGBKz76SvQQCDEiAKZ37SvYSCzCAAab07yvZSzjAgAeY0sWfFCkj6QckYEovP89eYgIGUMCUjn4le4kLGIABY/V+D0NswAAOGKt2fRiiAwZ4wDi998MQITBABMbpHSCGIIEBJTBO7wMxBAoMSIFxejeIIVZgAAuM03tCDOECA15gnN4ZYogYGCADUxQgKVRL0g/UwFQ2oNlL2MCAG5hCAUr2EjkwQAemcICSvUQPDPCBqX5As5f4gQFAMMUElOwlhGDAEExhASV7iSIYYARTZEDJXgIJBiTBFBxQspdYggFMMMUHlOwlnGDAE0whAiV7iSgYIAVTlCDR/hJDUMGAKhhR++QMYQUDrmAKFSQ+2oDIggFaMEULOEAZggsGdMEUMEh8wALxBQPAYIoZKHcfIQYDxmA6yGCIMhhgBtNxBkOgwYA0mA41GGINBrDBdLTBEG4w4A2mAw6GiIMBcjAdczAEHQyog9HZwRB3MAAPpiMPhtCDAXswHXwwRB8M8IPp+IMhAGFAIEyHIAwxCAMIYToKYQhDGHAI04EIQyTCAEWYoguJdpsaghEGNMIE/d1LOMKAR5jQefcSkjBgEiZ03r1EJQywhIn6u5e4hAGYMLHz7iU0YcAmTOy8e4lOGOAJEzvvXgIUBoTCxM67lxiFAaQwsfPuJUxhwClM7Lx7iVQYoApT9CHRfntDsMKAVpiov3sJVxjwClMIQsleIhYGyMIUhVCyl6CFAbUwBSJ49hK2MOAWpliEkr2ELgzYhSkcoWQv0QsDfGGKSCjZSwDDgGCYohJK9hLEMKAYpsCEkr3EMQxAhik2oWQvoQwDlmEKTyTasW+IZhjgDJPUQUuGeIYB0DDFKJTsJaRhwDRMYQole4lqGGANU6SCZy9xDQOwYQpWKNlLbMMAbpjiFUr2Et4w4BumkIWSvUQ4DBCHKWyhZC9RDgPMYYpcKNlLoMOAdJiCF0r2EuswgB2m+EXm/f2EOwx4hy1+QbPXEu6wwB228AXPXku4wwJ32MIXPHst4Q4L3GELX9DstUQ7LGiHLXzBs9cS7rDAHbbwBc9eS7jDAnfYwhc8ey3hDgvcYYtf8Oy1xDsseIctfsGz1xLvsOAdtvgFz15LvMOCd9jiF5n291viHRa8wxa/4NlLuMMCd1ijt3ot4Q4L3GELXyjZS7jDAndYo86VsUQ7LGiHLXyhZC/hDgvcYQtfKNlLuMMCd9jCF0r2Eu6wwB22+IWSvcQ7LHiHLX6hZC/xDosTHopfKNnLpjzgnIfiF5nPrmKzHpppD+qQFUvnPUD2WX3UimVTH3Dug9UHrlg2+wGnP1h17Ipl8x9wAoTVh69YNgUC50BYfQSLZdMgcB6E1QexWDYVAudCWH0ci2WzIcA7rNOHsljiHRa8wzp9NIsl3mHBO2zxi0z7+y3xDgveYZ06psUS7rDAHdZ1so9whwXusE7PPqIdFrTDuk72Ee2woB3WdbKPcIcF7rCuk32EOyxwh3V6o9cS7rDAHVb0cS6WeIcF77Cij3OxxDsseIcVfZyLJd5hwTts8YtM+/st8Q4L3mFFHediCXdY4A4r+jgXS7jDAndY0ce5WMIdFrjDijrOxRLtsKAdVvRxLpZwhwXusKKPc7GEOyxwh/X6OBdLuMMCd1ivj3OxhDsscIf1+jgXS7jDAndYr49zsYQ7LHCHLXyRKRdZwh0WuMN6dZyLJdphQTus18e5WKIdFrTDen2ciyXaYUE7rFfHuViCHRaww3p9nIsl2mFBO2zQx7lYoh0WtMMGfZyLJdphQTts0Me5WKIdFrTDBn2ciyXaYUE7bNDHuViiHRa0wxa9yBQbLdEOC9phgzrOxRLssIAdNujjXCzRDgvaYYNubZZohwXtsEG1NkuwwwJ22KhbmyXaYUE7bNStzRLtsKAdNurWZol2WNAOG3Vrs0Q7LGiHjbq1WaIdFrTDRt3aLNEOC9phi15kam2WaIcF7bBRtTZLsMMCdtioW5sl2mFBO2zUrc0S7bCgHTap1mYJdljADpt0a7NEOyxoh026tVmiHRa0wybd2izRDgvaYZNubZZohwXtsEm3Nku0w4J22KRbmyXaYUE7bNGLTK3NEu2woB02qdZmCXZYwA6bOs0Ooh0WtMNm3dos0Q4L2mGzam2WYIcF7LBZtzZLtMOCdtisW5sl2mFBO2zWrc0S7bCgHTbr1maJdljQDpt1a7NEOyxoh826tVmiHRa0wxa9yNTaLNEOC9phs2ptlmCHBexwB93aHNEOB9rhDrq1OaIdDrTDHVRrcwQ7HGCHO+jW5oh2ONAOd9CtzRHtcKAd7qBbmyPa4UA73EG3Nke0w4F2uINubY5ohwPtcAfd2hzRDgfa4YpemAPFNke4wwF3OKNimyPa4UA7nNGxzRHucMAdzujY5gh3OOAOZ1Rsc0Q7HGiHMzq2OcIdDrjDGR3bHOEOB9zhjI5tjnCHA+5wRsc2R7jDAXc4o2ObI9zhgDuc0bHNEe5wwB3O1iXEqLY54h0OvMNZVdsc4Q4H3OGKX5gD9RJHwMMBeDir1/0cAQ8H4OGsPpPSEfBwAB7O6pMpHREPB+LhrDqf0hHwcAAezupTKh0BDwfg4aw+q9IR8HAAHq4DHo6Ah8P1nzrg4dgSULgGVAc8HFsFCpeBcjX/+KKGbCmoZi0oVTwcXQwK0s910o+tB4ULQrlO+rEloXBNKKenH1sUCleFcp30Y+tC4cJQrpN+bGkoXBvK6fN6HVseCsTDdcTDEfFwIB6uIx6OiIcD8XAd8XBEPByIhyuCYQ6UPBwhDwfk4XTycIQ8HJCH65CHI+ThgDxchzwcIQ8H5OF08nCEPByQh+uQhyPk4YA8XIc8HCEPB+ThOuThCHk4IA/XIQ9HyMMBebgOeThCHg7Iw3XIwxHycEAerhCGOVDzcMQ8HJiH083DEfNwYB6uYx6OmIcD83Ad83DEPByYh9PNwxHzcGAermMejpiHA/NwHfNwxDwcmIfrmIcj5uHAPFzHPBwxDwfm4Trm4Yh5ODAP1zEPR8zDgXm4YhjmQNHDEfRwgB5ORw9H0MMBergOejiCHg7Qw3XQwxH0cIAeTkcPR9DDAXq4Dno4gh4O0MN10MMR9HCAHq6DHo6ghwP0cB30cAQ9HKCH66CHI+jhAD1cBz0cQQ8H6OEKYpgDVQ9H1MOBejhdPRxRDwfq4Trq4Yh6OFAP11EPR9TDgXo4XT0cUQ8H6uE66uGIejhQD9dRD0fUw4F6uI56OKIeDtTDddTDEfVwoB6uox6OqIcD9XAd9XBEPRyohyuKYQ7KsrIk/4A9nM4ejrCHA/ZwHfZwhD0csIfrsIcj7OGAPZzOHo6whwP2cB32cIQ9HLCH67CHI+zhgD1chz0cYQ8H7OE67OEIezhgD9dhD0fYwwF7uA57OMIeDtjDFcYwB+oejriHA/dwuns44h4O3EM67iHEPQTcQzruIcQ9BNxDdPcQ4h4C7iEd9xDiHgLuIR33EOIeAu4hHfcQ4h4C7iEd9xDiHgLuIR33EOIeAu4hHfcQ4h4C7iHVPfjHJ4S4h4B7iO4eQtxDwD2k4x5C3EPAPaTjHkLcQ8A9RHcPIe4h4B7ScQ8h7iHgHtJxDyHuIeAe0nEPIe4h4B7ScQ8h7iHgHtJxDyHuIeAe0nEPIe4h4B5S3YN//kSIewi4h+juIcQ9BNxDCmPwtTGEsIcAe0hhDL42hhD2EGAPqfM86NoYQthDgD2ksgddG0MIewiwh9SJHnRtDCHuIeAe0lnXSoh7CLiHdNa1EuIeAu4h+rpWQthDgD2ks66VEPYQYA/prGslhD0E2EM661oJUQ8B9ZDOulZC2EOAPaSzrpUQ9hBgD+msayWEPQTYQ4pjGP4BIyHwIQAfoi9sJcQ9BNxDOgtbCXEPAfcQV9++jj4/CHwIfhhD9MaHsE9j4LcxRG18CPs4Bn4dQ/TGh7DvY+AHMkRvfAj7REbzjQy98SH0KxmQf6I3PoR9KAO/lCF640PYtzLwYxmiNz6EfS4Dv5dRIMMY6kbCPpmB38wQtfEh7KMZAB/iO40PAh8C8CG+0/gg8CEAH+L1xgdxDwH3EN9pfBD3EHAP8Z3GB2EPAfYQ32l8EPcQcA/xncYHcQ8B9xDfaXwQ9xBwD/GdxgeBDwH4EF8ff9SNhMiHgHxI0BsfBD4E4EMKZGiPXyIfAvIhQZ9kLkQ+BORDgj7JXIh8CMiHBHWSuRD4EIAPCfokcyHuIeAeEvRJ5kLgQwA+JOiTzIXAhwB8SNAnmQuBDwH4kKBPMhciHwLyIVGfZC5EPgTkQ2LNPwpPQuhDgD4kqrPMhciHgHxI1GeZC5EPAfmQqM/zFSIfAvIhUZ3nKwQ+BOBDoj7PV4h7CLiHRH2erxD4EIAPifo8XyHwIQAfEvVBV0LgQwA+JOmDroTIh4B8SNIHXQmRDwH5kCIZxlB4EkIfAvQhSR10JUQ+BORDkj7oSoh8CMiHJH3QlRD5EJAPSeqgKyHwIQAfkvRBV0LcQ8A9JOmDroTAhwB8SNIHXQmBDwH4kKwPuhICHwLwIVkfdCVEPgTkQ7I+6EqIfAjIhxTJMIbCkxD6EKAPyeqgKyHyISAfkvVBV0LkQ0A+JOuDroTIh4B8SFYHXQmBDwH4kKwPuhLiHgLuIVkfdCUEPgTgwx/0QVeewIcH+PAHfdCVJ/DhAT78QR905Yl8eJAPf9AHXXkiHx7kwxfJMIbCkyf04YE+/EEddOWJfHiQD3/QB115Ih8e5MMf9EFXnsiHB/nwB3XQlSfw4QE+/EEfdOWJe3hwD2/0QVeewIcH+PBGH3TlCXx4gA9v9EFXnsCHB/jwRh905Yl8eJAPb/RBV57Ihwf58PUb3pbCkyf04YE+vFEHXXkiHx7kwxfJ4N+U9UQ+PMiHN3rXnyfy4UE+fP2gB/90J5EPD/Lh6wc9+Nc7CXx4gA9fJEP5gCeRDw/y4at88G94EvnwIB++ygf/jCeRDw/y4TsrXHkiHx7kw+srXHkCHx7gw3dWuPIEPjzAh++scOUJfHiAD99Z4coT+PAAH74z4cMT+fAgH74z4cMT+fAgH74z4cMT+fAgH75O+LAU/jyhDw/04QtlKPlP6MMDffi6xhX/bi+hDw/04fU1rjyRDw/y4Z3e9ecJfHiAD19nfPDHB5EPD/Lh64wPfvsT+fAgH75+0oPf/gQ+PMCH1z/p4Yl7eHAPL3rHsyfw4QE+vNT0o/DkiXx4kA9fZ3xYOmHJE/rwQB++UIaxcuMPtz5gASQBwT681Bcwv4QEPzzghy+YYWy48XKb8TckKQj44QtmGBtvvL31Fj9ATXIQ9MPX73qY00W0zUUkOQj44YtmWHN6BsXmEpAcxG+GF82w+UbkNmMVgn01HD8bXjTD2HTj861JWADJQvx0uK9ZmOldxL4ejp8PL6Bh3OHGu9sQIAfYF8TxE+J15oczPAKShc1nxEsWOssLIFmInxIvpmGco2nMviaOnxMvqGGc8KtA0hA/KV5UwzjPCyB5iJ8VrwziAi+AJCIwiC+uYVykPyKBEA8Q4iuEKA8TAiEeIMQX2DAu8QhIJoKE+FAzkacyoRAPFOKLbRg58AJIJgKG+DoLRHgqEw3xoCG+6IYRnsqEQzxwiC+8Yd2N+FvxkMmEQzxwiC+8YcTRByrxEA8e4otvGBH+F5BEBBDxBTiMeFoAEREPIuKriEi48eFWBOo1REQ8iIiv3/vg1TJCIh5IxBfiMBLpvUhMxIOJ+FjzMLG3IjERDybiY03DTI8nWQgo4utsEH+gx5MkBBTxBTmMN/R4koSAIr4gh/GWHk9yEFDEF+Qw3tHjSQoCiviCHMYLO56giAcU8QU5zKlmS44nCQgo4iuKeForIibiwUR8QQ7jIz2e5B+giC/IYTzNP4IiHlDEF+QwnuYfQREPKOKLcphA84+oiAcV8XU6SKD5R1TEg4r4ohwm0PwjKuJBRXxRDhMc7RgiLOKBRXxhDhOENq2Ii3hwEV+cwwQ6KsITGPEAI75AhwmUlT2REQ8y4quMBAp7nsiIBxnxhTpMoLTiiY14sBFfrMOETK8CwREPOOILdpjIuxeJjnjQEV+4w0TewUB8xIOP+DoxJPImIgESD0DiC3iYyJuIREg8CEko4qHU6gIhkgBEEgp5mCiskzIQIwlgJKGYh1IfCARJAiBJODi9VheIkgRQklC/eR5vJNweDvgTtIkYAElCUQ8TPUvEQJgkAJOEQ03EwAtoEzGAk4RDTcR4E8yt9w4KaBMxAJSEQ03ExCNoEzEAlYQ6RyRm1lcWiJUEsJJQ7MOkw03ItyZCAQRLAmBJKPhhEv2GZiBaEkBLQtEPc/p+MyuAJCJwSSj8YZKjiUi8JICXhOIfJsmNj7c2JiiAZCKASahgkngmEjAJACahCIhJPBMJmQQgk1AIxKRIHwfETAKYSSgGwivngZhJADMJxUBMSuzVGgiaBECTUNGEB0DQJACahDpbhPZaB4ImAdAk1K+C8KcRQZMAaBKs0/vsAlGTAGoSrKh9doGoSQA1CdbrfXaBuEkANwn1O+i0zy4QNwngJqE4CO+zC8RNArhJKA7C++wCcZMAbhKKgyh9doHASQA4Ce6g99kFIicB5CQUCVH67AKhkwB0Eiqd8D67QOgkAJ0E5/Q+u0DsJICdBCd6n10geBIAT4Lzep9dIHwSgE9CnTjC++wC8ZMAfhJc1PvsAgGUAIASXNL77AIRlACCEurcEaV2RwglAKEEOeh9doEgSgBECWL0PrtAFCWAooSqKLzLLRBFCaAooSoK73ILRFECKEooKMK73AJBlACIEiqi8C63QBAlAKKEiii8yy0QRQmgKKEqCu8xC0RRAihKkM5LmShKAEUJkvUes0AYJQCjBH9Qe8wCYZQAjBIqo9Aes0AUJYCihKootMcsEEQJgCihIgrtMQvEUAIYSqiGQnvMAiGUAIQSKqHQHrNABCWAoIQqKLTHLBBACQAooQIK7TELxE8C+EmofkJ7zALhkwB8Eiqf0B6zQPQkgJ6Eqie0xywQPAmAJ6HiCe0xC8ROAthJqHZCe8wCoZMAdBIqndAes0DkJICchContMcsEDgJACehwknKtFlA4CQAnAR9+axA2CQAm4QQ9ecHYZMAbBIWNuHXj+QfqEmoasKfHwRNAqBJqGjCnx/ETAKYSahmwp8fhEwCkEmIVn9+EDIJQCahkgl/fhAxCSAmoYoJf34QMQkgJqGKCX9+EDEJICZhERP6/CBiEkBMwiImNP+ImAQQk7CICc0/IiYBxCRUMeHPDyImAcQkVDHhzw8iJgHEJFQx4c8PIiYBxCRUMeHfOQ6ETAKQSahkknnvEDGTAGYSqplk3jtE0CQAmoSKJpmiQSBqEkBNQlUTpTJP2CQAm4TKJqeP5rEISBaCm4TqJtnTvhUCJwHgJFQ4yYG+BgicBICTUOGEf70nEDgJACch97qrCZwEgJNQ4SQnWpcmcBIATkKFk5xpRyeBkwBwEiqcKP0rBE4CwEkoDmIPvMOcwEkAOAnFQSxfST4QOAkAJ6E4iD3wm4nASQA4CRVOlMY9gZMAcBIqnCiNewInAeAkVjjhjftI4CQCnMRDZ2RXJHASAU5ihRP+PIgETiLASaxwwrtYIoGTCHAS6/QS3q6MRE4iyEms30+n7cpI4CQCnMQKJ7xdGQmcRICTeNDrhZG4SQQ3iQe9XhgJm0Rgk3jQ64WRqEkENYlGrxdGgiYR0CQavV4YiZlEMJNo9HphJGQSgUyi0euFkYhJBDGJRq8XRgImEcAkGr1eGImXRPCSaPR6YSRcEoFLotHrhZFoSQQtiUavF0aiJRG0JBq9XhgJlkTAkmj1emEkWBIBS6LV64WRYEkELIkFPyz/pkMkWhJBS2LBD8tX1Y9ESyJoSSz6Yfm65pFwSQQuiba+jelIjEi4JAKXxDrNhD9ECZdE4JJYueS0NnD7Mo7ESyJ4Saxeckg33txKhvcIAZMIYBKLf9gDHckRCZhEAJNY/MPyFQojAZMIYBKLf1hDmweRgEkEMInFP6yhNZpIwCQCmMTiH9bwTCZgEgFMYvEP7o6ReEkEL4nVSyj7RcIlEbgkFv2whrYuIuGSCFwSFy6haBUJl0Tgklj0wxqq35FwSQQuia4O9ue3IuGSCFwSpeYhbZ5EwiURuCRKzUM6KCoSLonAJVFqHtKOtki4JAKXxKIfls+5jIRLInBJrFzCZ11F4iURvCQW/rB83kwkXhLBS2LhD8vnzUTiJRG8JBb+sJa/FIiXRPCSWPzDWv5SIGASAUxinXZieSYSMIkAJnEBE141J2ISQUxiXXaLv1WImEQQk1jFhNesiZhEEJNYxYTXrImYRBCTuIgJrdkQMYkgJnERE1qzIWISQUziIia0ZkPEJIKYxEVMaM2aiEkEMYmLmNCaNRGTCGISFzGhNWsiJhHEJC5iQl8nREwiiElcxITWrImYRBCTWMWE16yJmEQQk1jFhNesiZhEEJO4iAnNPyImEcQkVjHhNWsCJhHAJNaZJrxmTcQkgpjEOtHE0oFckZBJBDKJhUBsuJF0aw8OjicJCGQSQ30E8lchMZMIZhKrmfB+skjQJAKaxGjUcUSRoEkENIl15S06jikSNImAJjHWVzEdUxmJmkRQk1gUxAU2ciESNYmgJrEoiHUHeg0Jm0Rgk1gYRKmTEjaJwCYx1tlOvC5B3CSCm8TiINbxugSBkwhwEguEWEd77SORkwhyEouEWMerxYROItBJLBRiHa/VEjuJYCexUIh1vC5B7CSCncRCIdbxBiKxkwh2ElMdQcNvZWInEewkppqIvIFI7CSCncRCIZYv5RGJnUSwk1goxArPRGInEewkFgqxp2FIrZ1EYicR7CQudkLhIRI7iWAnsVCIFV4tJnYSwU5ioRArPJWJnUSwk1goxAqvFhM7iWAnsVCIFZ7KxE4i2EksFGKFN9CInUSwk1jtRHgqEzuJYCex2onQJZkisZMIdhKrnXieysROIthJLBRiPU9lYicR7CQWCrGeP1SJnUSwk1QoxHqaiYnYSQI7SYVCrKcNtETsJIGdpEIh1tNMTMROEthJKhRiPc3EROwkgZ2kQiHW00xMxE4S2EkqFmI9nbKRCJ4kwJNULMR6CpGJ4EkCPEkFQ2ygXQWJ6EkCPUmHWkWkmZgInyTgk1Q4xAba65aInyTwk1Q8xAaeiQRQEgBKKiBiA89EIigJBCUVEbF8Jl8ihJKAUFIhEctn8iViKAkMJRUTsXwmXyKIkgBRUkERG+gg4UQUJYGipKIiNtBnYiKMkoBRUmERy2fyJeIoCRwlFRexfCZfIpCSAFJSgRHLZ/IlIikJJCUVGbF8Jl8ilJKAUlKhERt5JhJLSWApyaoLBSciKQkkJVVJ4bPgEpGUBJKS6rwTXsFJRFISSEqqksKn0SUiKQkkJdmgNvgSkZQEkpIKjPAGXyKQkgBSUoUU3uBLBFISQEoqLsIbfIk4SgJHSa7TZE7EURI4SnL65KdEGCUBo6TKKJE/iwijJGCUVOed8JnViTBKAkZJTjqvVeIoCRwlVUfhk8MTgZQEkJIqpPCel0QgJQGkJFefhrSOmgikJICUVCEl8ucxgZQEkJIqpCT+PCaQkgBSUoWUxJ/HBFISQEqqkJL485hASgJISRVSEn8eE0hJACmpQgpvLSUCKQkgJdXVu/j89kQgJQGkpAopib8RCKQkgJRUISV5WkMkkJIAUpJ02iqJQEoCSEkVUpQ6KoGUBJCSKqQkXjsikJIAUlJdwCvxJxKBlASQknxn3aREJCWBpCSvTwhNRFISSEqqksKn5CZCKQkoJXl9GcNEKCUBpaRKKXxKbiKWksBSktdHOCRiKQksJRUbUd5KxFISWEoqNqJdAZKEYCmpWgqfkpsIpiTAlFQxhdp8IpiSAFPSsnYXf68TTUmgKSnoXdmJaEoCTUnB6TUroikJNCUVHeFTchPRlASakqqm8MGWiXBKAk5JlVP4lNxEPCWBp6TQGd2QiKck8JRUp6DwKbmJgEoCUEl1DgqfkpsIqCQAlVRBhY8XTQRUEoBKqrNQ+KjdREQlgaikOg2Fj9pNhFQSkEqq81D4qN1ESCUBqaQ6EYVPyU3EVBKYSqozUZTXATGVBKaS6lQUPiU3EVRJgCqpzkXhU3ITQZUEqJLqZBS+4EoiqJIAVVKdjcLn9CaCKglQJdXpKHxObyKokgBV0oIqtKFETCWBqaQ6H4XP6U3EVBKYSqrzUfic3kRMJYGppDofhS+bk4ipJDCVVOej8BEiiZhKAlNJqfNWJqSSgFRSnY7CB28nQioJSCXV6Sh0iEkiopJAVFIVFTrEJBFQSQAqqU5GoUNMEvGUBJ6S6lwUOsQkEU5JwCmpTkWhQ0wS0ZQEmpLqTBQ6xCQRTEmAKalORKFDTBKxlASWkuoCXnSISSKUkoBSUl2/iw4xSURSEkhKqst30SEmiUBKAkhJdRIKHWKSiKMkcJRU56DQISaJMEoCRsl1CgodYpKJomRQlFxnoNAhJpkgSgZEyXUCCh1ikomhZDCUXA0l0X6KTAwlg6HkQ2d960wMJYOh5LpyF3+IZmIoGQwlLxNQ6KswE0PJYCh5MRQqGJkYSgZDyQe9bZIJoWQglFwJJbEkzERQMghKroLCx4hkIigZBCVXQckH1jrMRFAyCEqugpIN6zXNRFAyCEqugsKndmYiKBkEJVdB4VM7MxGUDIKSq6Bk2lOTiaBkEJRcBUVuJN7ag4XjSRoCoOQKKJm2UDMBlAyAkiug0ApVJn6SwU/ysmwXXf4tEz/J4Ce5zkTha6dl4icZ/CRXPznNTSVpRPwkg5/kOhfFntqoFu9EAigZACXXhbv4In6ZAEoGQMkVUBJdfy4TQMkAKLmu3MV7ijIBlAyAkjtTUTIBlAyAkm3Ue4oyEZQMgpKtvlBNJoCSAVByBRTaU5QJoGQAlFw8RHkaEz/J4Ce5LtzFe4oyAZQMgJKXb56wOlEmfpLBT3L1E95TlImfZPCTXKeh0J6iTPgkA5/koiG8pygTPcmgJ7nqCe0pygRPMuBJrrNQeE9RJniSAU9yXbSL9xRlgicZ8CTXRbt4T1EmeJIBT/KyaBdtXmeCJxnwJC+LdtHmdSZ4kgFPcl20i/cUZYInGfAk10W7eE9RJniSAU9yxRPeU5QJnmTAk1xX7eI9RZngSQY8yXXVLt5TlAmeZMCTvHz7hNduCZ5kwJNcv/zOe4oywZMMeJLrsl28pygTPMmAJ3mZhcIzkeBJBjzJy7pdPBMJnmTAk+w7HTWZ6EkGPcm+01GTiZ5k0JPsO5PkM+GTDHySvT5JPhM9yaAn2XcmyWfCJxn4JHt9knwmfJKBT7LXJ8lnwicZ+CR7fZJ8JnqSQU9y0CfJZ6InGfQkB32SfCZ4kgFPctAnyWeCJxnwJAd9knwmeJIBT3LQJ8lngicZ8CQHfZJ8JnaSwU5y0CfJZ0InGegkB32SfCZykkFOctAnyWcCJxngJAd9knwmbpLBTXLUJ8lnwiYZ2CRHfZJ8JmqSQU1yrA1kStiZqEkGNcl1Ikrm1XKiJhnUJNeJKGxoWSZmksFMcp2Hkul4lEzMJIOZ5DoP5UDHo2RiJhnMJBcCcXzFm0zMJIOZ5EIgjq94k4mZZDCTXCei8PkDmZhJBjPJhUAcXyohEzPJYCZ5MRM6HiUTNMmAJrlOROGTMDJBkwxokhc0oQ8CYiYZzCQvZkIfBIRMMpBJXr57Qh8EREwyiEmuK3jxFxERkwxikquY8BcRAZMMYJIrmPAXEQGTDGCSK5jwFxEBkwxgkhcwoS8iAiYZwCQvYEJfRARMMoBJXsCEvogImGQAk7yACc0/AiYZwCQvYELzj4BJBjDJyxdPaP4RMMkAJrmCCX8RETDJACa5ggl/EREwyQAmOdeHIO/mJGKSQUxyERDHF1vJhEwykIk5HOpTMLB+xmXruojzf3wro6QhXwZv2dqUYbCMMqCGL7qybG3KsFiGK2VQP1m2NmU4LKO8mQ/01bpsbcoQLMOXLh/6dl22NmV4LKOu+U9fsMvWpoyAZdTh1/Qdu2xtyohYRtIHoS9bmzISllGylC/lsmxtysA8NfqIr2UjFmEwTYuTOCM81YmsnP/jWxl13Be94ZatTRmYpkVLnAn8diG+cv6Pb2XUXkXldiHEcv6Pb2XUNFVuF6Is5//4VkZNU+V2IdJy/o9vZUS1Pb9sbIrALC164vgiLcvWpgzM0gIojq/TsmxtysAsLYbi+FIty1Ysw2Ka1u+l8NValq1NGZimdeoKnfewbGyKwCwtmOIsHa69bG3KwCy10nuoE4E5/8e3MkqW8qVjlq1NGZiltrNS7LK1KQOztM5lYU22ZVtTAiaprY9SOnZ72dqUgUlqdZ1eNjZFYI7WOS3aE52gzPk/vpVh9HECy9amDMzRRWYo7SxbmzIwSRed4W8FojPn//hWRGf12GVrUwbmqPOq8SwbmyIwRZ0+1WrZ2BSBGVqnuVDpWTY2RWCKLlZDsWfZ2pSBKbp8Y4V2ki9bmzIwRxexoeSzbMUyBHN0QRva175sbcrAHF3chna3L1ubMjBHpbOq7LK1KQOTdNEbyj/L1qYMTNIFcKgALVubMjBLF8OhCLRsbcrANK2Mwx1o2dqUgXlaJUd7oBPKOf/HtzKyrkHL1qYMzNPqORyElq1Yhsc8XUiHDplatjZlYJ76zkeBlq1NGZinvvNdoGVrUwbmqdc/DbRsbIrANPWdrwMtW5syME195wNBy9amDExT3/lG0LK1KQPT1OujL5aNTRGYpb7zpaBla1MGZmnQPxa0bMQiAiZp0L8XtGxsisAcDfong5aNTRGYokH/atCysSkCMzToHw5aNjZFYIYG/dtBy8amCEzQoH8+aNnYFIH5GfQvCC0bmyIwPYP+EaFlY1MEpmfQvyO0bGyKwOyM+qeElo1YRMTsjPrXhJaNTRGYnVH/oNCysSkCszPq3xRaNjZFYHZG/bNCy8amCMzOWNtLdILnsrUpA9MzdttLxIfO//GtjE57iQDR+T++ldBtLxEjOv/HtzI6i0QtW5syMEGXyTVKY4dI0fk/vpXRGce2bG3KwBRN+lC2ZWNTBKZo6oxmW7Y2ZWCOJn1A27KxKQJzNOlj2paNTRGYokkf1rZsbIrADE2dkW3L1qYMzNHUGdy2bG3KwBxNnfFty9amDMzR3BnitmzFMjLmaO6Mclu2NmVgjubOQLdla1MGJmnujHVbtjZlYJLmznC3ZWtTBmZp7ox4W7Y2ZWCa5s6gt2VrUwbmae6Me1u2NmVgnubO0Ldla1MG5mnujH5btjZlQJ6aOkVHaewYxk0GuclUblIaO4Zxk0FuMnWqjtLYMYybDHKTqdN1eGPHMG0yqE1m+WAMb+wYpk0Gtcksc3Z4Y8cwbTKoTWaZtsMbO4Zpk0FtModON75h2GQQm8zy9Rje2DEMmwxik6lfkOGNHcOsyaA1mWpNvLFjmDUZtCazfEeGVicNoyaD1GSWT8nQ6qRh0mRQmszyNRlanTQMmgxCk1k+KEMbO4Y5k0FnMss3ZWhjxzBmMshMZvmsDG3sGKZMBpXJLF+WobUnw5TJoDKZ5eMytLFjGDIZRCZTp/Xwxo5hxmTQmEyd2MMbO4YRk0FiMstXZnh2MmEyKEzGWr2xY5gwGRQmU+f38MaOYcBkEJhMBSZLR/ItW5syMD0XYKILXC1bmzIwP4sW8caOYbxkkJdMnemjNFQMAyaDwGRsVdDMJkwtW5syMEGXCT8HNutr2dqUgRm6fH2GVu8NAyaDwGTqumkcMA3zJYO+ZJy+RMuysSkCM9R1FhxftjZlYIp2PkOzbGyKwAytU4D4mtvL1qYMzNCiRWqWM2AyCEzG9SqihgmTQWEydSk1vjbmsrUpA3PU1RzlUm+YMBkUJlO4yPGF0JetWAYKk6lrqvHFuJatTRmYpVWYtJoXEyaDwmQKF2k1LwZMBoHJVGBSak3Mlwz6kqm+pNSaGC8Z5CVTeUmpNTFdMqhLpuqSUmtiuGQQl0zFJaXWxGzJoC2ZaktKrYnRkkFaMpWWlFoTkyWDsmSqLCm1JgZLBmHJVFhSak3MlQy6kqmupNSaGCsZZCWzfLuGZydjJYOsZJbP1/DsZKpkUJVMVSWl1sRQySAqmYpKSq2JmZJBUzJ18pBSa2KmZNCUjK/PTz7CyDBTMmhKJtTnJx9MZxgqGUQlE+riqHQ5xWVrUwYmaF2IzfHxq4axkkFWMgWJ3KmThpbBUhRdydQF2fh0hGVrUwbmaGEiJ7zSw2DJICyZEDpjCw2TJYOyZJYv3Si1HkZLBmnJFCjS6m+MlgzSkgk1S5NyVViWoi2ZWLNUeUMzXDKIS6ZQkRM+ttAwXTKoS6bqklZzYrxkkJdM7Kzku2xtysAsrfOO+Fc7lq1NGZilUZ9+uWxsisAsjfrqHMvGpghM0thZoGPZ2pSBSbqs26b0vjFgMghMpmiRE6UeyYDJIDCZOhOJf4hk2YplIDCZVLOUTiVYtjZlYJYui7hx6DJMmAwKk0m9USSGCZNBYTJ1WpLS0WwYMRkkJrN8IYc/gBgxGSQmU2cnaenBjMmgMZnFmJQ0ZcZk0JjMYky8DsaIySAxmUpMivsZRkwGickUL9La00yYDAqTyfoHxJaNTRGYo/WTOdz9DPMlg75kqi8p7meYLxn0JVN9SXE/w3zJoC+ZxZe4+xnmSwZ9ySy+pFgI8yWDvmSqLynuZ5gvGfQls/gSdz/DfMmgL5nFl7j7GeZLBn3JVl9S3M8yX7LoS7b6kuJ+lvmSRV+y1ZcU97PMlyz6kj24TqXBMmCyCEy2ApPifpYBk0VgsgswcbOzDJgsApNdgInnqWXAZBGY7CF2oMsyYbIoTHYRJt7dYpkwWRQmW7xIqQBZJkwWhckuwsShyzJiskhMthIT77KxjJgsEpOtxMS7bCwjJovEZBdioo1iy4jJIjHZhZhoo9gyYrJITHYhJtootoyYLBKTXYiJdtlYRkwWickuxES7bCwjJovEZBdiol02lhGTRWKyCzHR6oJlxGSRmOxCTLTLxjJiskhMthIT77KxjJgsEpOtxMS7bCwjJovEZBdi4tnJiMkiMdm6iBzvsrFMmCwKk63LyPEuG8uAySIw2QpM/EuBy9amDEzPOoNJ6bKxjJgsEpOtxKR02VhGTBaJyS7ExLtsLCMmi8Rk67pySpeNZcZk0ZhsESOty8YyZLKITLYiE++ysQyZLCKTdb3poJYhk0VksvUjPUqXjWXKZFGZbJ3ExLtsLEMmi8hkKzIpXTaWIZNFZLIudrpsLEMmi8hkixg5UTKMIZNFZLIVmdQyWJYiMtmKTMLnP1qGTBaRyYrplsGyFJHJSs1Sjn+WIZNFZLKFjPQyWJqiMlmp3U/KtWXMZJGZrPhuGSxP0ZlsUSPn6eKqy9amDMzTwkZ6GSxPUZpscSPHvzy6bG3KwDwtcOQ8n+RvmTVZtCZb5Egtg2GTRWyyhY6c50htmTZZ1CZbv+yjlsHyFLnJFjxyns9btsybLHqTLXqkl8HyFMHJFj5ynn7+b9nalIF56kO3DJanSE62fuvH048ALlubMjBP6/d+1DJYniI62YpOXnmOMXSyiE62opNWBkMni+hkKzr5xNb0XbY2ZWCeVnRSy2B5iuhk6xeA+LfElq1NGZinFZ3UMlieIjrZik7KIAbL1MmiOtmqTmoZLE9RnWwhJBfoYljL1qYMzNNFnbQyWJ4iO9nKTqdv8NIyWJ4iO9nKTloZjJ0sspOt7MQXwl+2NmVgnkbbLYPlKbKTjfqXqpaNTRGYplWdguPpwdTJojrZOq2Jf1d42dqUgWlaV73jnxZetjZlYJrWaU3868LL1qYMTNO69l1QHmPMnSy6k63uREccWqZOFtXJVnUKfPkXy9TJojrZqk4h87YLUyeL6mRTZ5yeZehkEZ1sESQXlboYQyeL6GTrtCb+xeNla1MGJmkhJBeV+42pk0V1soWQHP/u8bK1KQOTtBCSi0r9hamTRXWyKXV/U5akyE62GJKLyg3H2MkiO9nKTtpvytzJojvZokguKjctgyeL8GQLI6m/KZMni/Jkc81T+j2BZWtTBuZp7j5MmTxZlCeba54qtz6TJ4vyZHPNU7r65bK1KQPzNOtzRC1zJ4vuZOsKevzDusvWpgzM0rqIXlLe1sydLLqTq8voJUuvrGPu5NCdXEEklxx9mDrmTg7dydVl9JIocZAsdehOri6jl/hd65g7OXQnV5fRU7LDMXdy6E6uIJLy+fJla1OGxzLqsjpZ+T1Iljp0J1eX0VNeco65k0N3cofOeCjH2MkhO7m6ih7/cu+ytSkD09QcOg8Px9zJoTu5uowevWkdYyeH7OTqInr8syrL1qYMTNK6iF7iXY2OwZNDeHJ1Eb3Emy2OyZNDeXJ1Eb3MmxyO0ZNDenJ1Eb3MH0CO2ZNDe3KmPkr5a9IxfHKIT66uopd51cMxfXKoT66uopflxptbyZjpjJ8c8pOrq+idxna1ny5atmIZ6E+urqJ3+noRyzEGUA4BytVV9DJHBscEyqFAubqMXuZdBY4RlEOCcnWWk7IQgmMG5dCgXBElOSh5yhDKIUK5IkpyMMrfwvIUEcoVUZKDVf4WlqeIUK6IkvCVu5etTRmYp0WUhC+9u2xtysA8rQil5QdDKIcI5SpCRd7F5xhCOUQoVxFKyw+mUA4Vyrne6FLHFMqhQrk61Um795lCOVQoVxVKu/cZQzlkKFcZSrv3GUM5ZCjnYi/XGUM5ZCjnUi/XGUM5ZCjnap4qlTHGUA4ZylWG0q4LYyiHDOUqQ2nXhTGUQ4ZylaG068IYyiFDucpQ2j3HGMohQ7nKUNozmTGUQ4ZylaG0e44xlEOGclKfp0oFlzGUQ4Zy0s1TxlAOGcpJN08ZQzlkKCc1T/lMXMcYyiFDOd997zOGcshQrpiSHPg8WscYyiFDucpQ2v3CGMohQ7liSqKsI+4YQzlkKFcZSv09WJ4iQ7liSmJ4N45jDOWQoZwP3d+U5SkylKsMpf6mLE+RoVwxJVHWRHeMoRwylKvr6RnH7xfGUA4ZyhVTUn9TxlAOGcqFbp4yhnLIUC5085QxlEOGcsWUxPD5C44xlEOGcsWU9L+F5SkylKsMpf4tLE+RoVwxJVHWmXeMoRwylKsMpd1zjKEcMpSr6+ppOcYYyiFDuZB7z3XGUA4ZyhVTUq8LYyiHDOUqQ2nXhTGUQ4ZyxZTEKHVtxlAOGcpF17suzKEcOpSL3TxlDuXQoVzs5ilzKIcO5WLNU6VOxxzKoUO5gkpilN4g5lAOHcrF1P09WJ6iQ7nYbe8ziXIoUS7V56lSd2AS5VCiXOo+T5lEOZQol7rPU0ZRDinKpfo85V3rjlGUQ4pydf6TshaIYxTlkKJc8t3fg+UpUpSrFKX+HixPkaJcqnmq1IMYRTmkKJe6ecooyiFFudTNU0ZRDinKFVcS5SsTjlGUQ4pyuZunjKIcUpTL3TxlFOWQolxxJVG+duEYRTmkKJe79VNGUQ4pyuVu/ZRRlEOKcrlbP2UU5ZCiXO7WTxlGOcQoV2RJlK9/OIZRDjHKFVkS6+hIXscwyiFGyaHX3heGUYIYJUWWxPJ3tjCMEsQoKbKk/S3CMEoQo6RilPq3kDwVxCgpsiSW97EJwyhBjJIiS2J5W10YRglilBRZEncjh9uD81gESVNBi5ICS6IseCXMogQtSqpFKbetMIwSxCipGKV0oQjDKEGMEnPodEkLwyhBjBJT05QzkDCOEuQoMTVN+StKGEcJcpSYXvVUGEcJcpQY6f4tLE2Ro6TYkjj+ihLGUYIcJQtHaX8Ly1PkKFk4SskPxlGCHCUmdbrHhHGUIEeJyd3flOUpcpQUWxJluSlhHCXIUWJN71HIOEqQo8T2XvvCOEqQo6TYkijLXgnjKEGOEivdv4XlKXKUVI5SlqARxlGCHCWVo9Q4WJ4iR0nlKO3VwDhKkKOkcpT2amAcJchRUjnKKa9bxlGCHCXu0Ps9GEcJcpQUWxLHm6bCOEqQo6Q3J0qYRglqlNQ5Uf5Gwq3HMYHCMEoQo6TIkiizzIRhlCBGiatZqrxtGUYJYpS4+tLnDUJhGCWIUVIxyilvKIZRghgldeE9/s3qZWtTBmZpxagbMbfeNReW5ShSlBRXCuZURD5gFYhJlKBESWElz1fUEAZRghAlRZWEf3h52dqUgSlaVEmED9oQBlGCECVFlYQP1hLmUIIOJQWVhH96VRhDCTKUVIbi8w+FKZSgQklVqKgUwfITEUoqQikVBmZQggYlBZS8dkVYfiJBSfEkZW6/MIESFCipAsVhUBhACQKUFE1So2Dpif4kBZN8oGslCOMnQX4SX7NTqSswfhLkJ6n8pCxtJIyfBPlJKj8pSxsJ4ydBfpJiSaLMnxbGT4L8JJWfhHe5CuMnQX6SYkkiyhuF8ZMgP0nlJ1HeKIyfBPlJKj8JnzAsjJ8E+UmKJYlX2hqMnwT5SSo/KTMghfGTID/JMguKrhMgTJ8E9UkKJVl7WlXI4iK9wvBJEJ+kSJJ1hxtJt/bgsAyWpYhPUiRJvHLHMXwSxCcpkqT+GixJ0Z6kQJL6a7AcRXqS4kjqr8HoSZCepDiSeOXZwehJkJ6k0pNWC2T0JEhPEmuOKs8fRk+C9CSxl6NMngTlSWJ90ytNFSZPgvIkdeE95coyeBKEJ6kL76lXluUowpNUePJ8FR5h8CQIT1IUSbzyJGXwJAhPUhRJuyrMnQTdSao7eaVazdxJ0J0k1QcpX0xMmDsJupMk17myjJ0E2UmKIalXlrGTIDtJZSftyjJ2EmQnSbU+qrxXGDsJspMUQ1KvLEtSVCep6qReWZakqE6ScvfKsiRFdZJCSNqVZegkiE5S193TrixDJ0F0kmx7V5ahkyA6SREkL7zSwcxJ0JxkMSc2+0CYOAmKk1Rx4o1Y5k2C3iQFj7RGLOMmQW6SYkdaI5Zpk6A2SZ36pExLEaZNgtokVZu0aiDTJkFt8oWOJPAqnGfa5FGb/EGfU+KZNXm0Jr9YE33Pe0ZNHqnJFzfiieEZNHmEJl/USOtj8QyaPEKTL2qkJJdnzuTRmXxRIyW5PHMmj87kqzMFXhP1zJk8OpM/9BLUM2fy6Ey+t9aeZ8zkkZl8ZSZ+WRkyeUQmX8RIvawMmTwiky9ipF1WZkwejckb1+m18syYPBqTr8ak3PCeGZNHY/LVmAKvl3tmTB6NyRv9gzmeCZNHYfKmZiivlXsmTB6FyVdhUhYE8EyYPAqTr8KkLAjgmTB5FCZfJzwpa015JkwehclXYQq8PuyZMHkUJl+4SALXMs+EyaMw+SpMgfdVeyZMHoXJV2GKvAbomTB5FCZfP+ukrFTnmTB5FCZfV91TWo+eCZNHYfLLqnt8woJnwuRRmHzhIm2lOs+EyaMw+brqHlcZz4DJIzD5Ot9JWanOM2DyCEy+zndSVqrzDJg8ApOvwMQn03oGTB6ByVdgUlaq80yYPAqTX77sxHt6PRMmj8Lk63QnZU1Gz4TJozD5KkzKyhWeCZNHYfJVmKLyvmfCdPaPb2X0GkyeCZNHYfIFjKzjqyx4ZkwejclL7XviHSWeIZNHZPL1006OL9HimTJ5VCZfpzsd+JRcz5TJozL5qkxKq8szZfKoTF5Eb0B6pkwelckvysTbsZ4xk0dm8tLrIPXMmTw6k1+cSal6MGjyCE2+QhOvDzJn8uhMvqiRVpdjzuTRmXx1JqWKzpzJozP56kxRqQAxaPIITb6wkcSy3LDNeE2YNHmUJl9nOsVwI/k2Gvw5GDV5pCZf3MieRnCSoS2eUZNHavKVmmI8Lad/aIpgKYrS5Ks0xURX5PdMmjxKk6/SFLNSBktRlCZfpSkdbry/DbH5SVmSojT5Kk1JeSswafIoTb5Kk5YeTJo8SpOv0pSUNwuTJo/S5Ks0aSnGpMmjNPm63p6WYkyaPEqTrxOdlBRj0uRRmnzwvRRj1OSRmnyd56SlGKMmj9TkKzVpKcaoySM1+VDTVHkaM2vyaE2+znNSU4ylKWKTr/OctPRg2OQRm3yRIzU9GDZ5xCZfsUlJD2ZNHq3JV2vS0oNZk0dr8nWak5YeDJs8YpOv2KSlB8Mmj9jk6zSnxLt7PdMmj9rk6zQnZS0iz7TJozb5qk1aijFt8qhNvmpTCvTTup5pk0dt8nWak7LsjWfc5JGbfOUmLdUZN3nkJl/sSE11xk0eucnXaU5KqjNu8shNPkkv1Rk3eeQmX7lJS3XGTR65yVduSkqzhXGTR27yBY+0bkrGTR65yVduUq8sy1LkJl+5SbtrGTd55CZfJzklpf+GeZNHb/J1klNW+m+YN3n0Jl+9SftbmDd59CZfJzllpQ7EwMkjOPksvevCyMkjOfkiSOodx9DJIzr5OslJueMYOnlEJ59j745j6uRRnXyd46TdcUydPKqTr+qUlSohUyeP6hSqOil3bWDqFFCdQkEk5a4NjJ0CslM49GqmgblTQHcK1Z2UZbcCk6eA8hTqFCflXRuYPAWUp1CnOGXeoAyMngLSU6hTnJR3bWD2FNCeQrUn5V0bmD0FtKdQIEm9tCRLA9JTKJCkfak8MHsKaE/B9GqmgelTQH0KplczDUyfAupTMJ2aaWD6FFCfgunVTAPTp4D6FEyvZhqYPgXUp1D1KfMaYWD6FFCfgulmKfOngP4UTDdLmT8F9Kdgeu/8wPwpoD+Fgkl6erA0RX8KdYaTkh6MnwLyU6j8pKUH46eA/BQqP2npwfgpID+Fyk9KtSEwfgrIT6HyU+akFxg/BeSnUCc4aSnG+CkgP4U6wUlLD8ZPAfkpFEtS04PxU0B+CnWCk5YeLEtRn0Kd36SmB8tS5KdQ5zdp6cH4KSA/hTq/SUsPxk8B+Sk423vXMn8K6E/B1Xc+19rA/CmgP4WCSdo7jvFTQH4KdYJT5kPJA+OngPwUiiWZzD/aEhg/BeSnUCzJKKuXBsZPAfkpFEsyyiqqgfFTQH4KxZJM5tNpAuOngPwUiiUZZZW7wPgpID+FYkkmcwYLjJ8C8lMolqR9PjQwfgrIT6HyU+aNwcD4KSA/hTrJSXsSMn8K6E+hYJI/HPh1Yf4U0J9CneakvbCZPwX0p7D4k/JEZv4U0J9C4ST1icwEKqBAhbranvJEZgIVUKCCP/SeyIygAhJUWAhKeSIzggpIUKESlNaQYwQVkKBCneykPAmZQAUUqOB7zfzABCqgQAXf6zQNjKACElQonuQPvMsiMIIKSFBhISjljmMEFZCggu9WTRlBBSSo4LtVU0ZQAQkqhF7VlAlUQIEKoVs1ZQIVUKBC6FZNmUAFFKgQapbybo/ABCqgQIU610lrlDKCCkhQIdSHqfLCZgQVkKBCqGmq9BUwggpIUCHE3kOdEVRAggoLQfE+9cAIKiBBhTrdKXOMD4ygAhJUiHXeKB9zEhhBBSSoEGt3FF9HIDCCCkhQIdaZo3zcSmAGFdCgQgElI+7G21tv8bowgwpoUCHWuqlSsWQGFdCgQl1qj49YC4ygAhJUqF984usIBCZQAQUq1PlO+TR6Jrc/KEtSBKhQNMn6G4m3qf1DWI6iP4W6zB7/SFJg/BSQn0Kd7MQ/5BWYPgXUp1AoyQY6gicwfAqIT6GusedOUTgcjBSYPQW0p5Dqc5R/0yMwfAqIT2GZ68Rzi9lTQHsK9WNPZTiTxyvC5CmgPIW6vp7lJbDkRHcKdZqTnDLLHiwWwZIT3SmkOl/0FERTVWDqFFCdwvKVp9NNdmgvKctNRKfQm+MUmDkFNKdQ5zhF+ncwcQooTqHwkTZALTBxCihOIddRJrwGyMApIDiFokcm0tWXAvOmgN4UqjedmqCsh4J5U0BvCkWPTOQDdQMDp4DgFOosJ8MdMDBwCghOIff0PjBwCghOoYKTVpll4BQQnGLRI60yGxk4RQSnWBfV45XZyMApIjjFBZx4ZTYycIoITrGCk1KZjQycIoJTXMCJZ3pk4BQRnGIFJ6UjLTJwighOsc51UtYEjwycIoJTPPTaS5GBU0RwihWclHW0IxOniOIUe5OdIgOniOAUix5p7YPIwCkiOEVjOu2DyMApIjjFCk5KZ0tk4hRRnKLpDSyNTJwiilM0vYGlkYlTRHGKpjOwNDJwighO0fQGlkYGThHBKZrewNLIwCkiOEXTG1gaGThFBKdo6io7nKsjA6eI4BRtb2BpZOIUUZyiNZ3mY2TiFFGcou2mKROniOIUF3HiTdDIxCmiOEXb632KTJwiilO0vUEmkYlTRHGKtjPIJDJwighO0fYGmUQGThHBKdreIJPIxCmiOMUqTkq/YmTiFFGcouusBhUZOEUEp+h6A/YiA6eI4BSLHnll/fzIwCkiOMUKTtodx8ApIjhF181SJk4RxSm6bpYycYooTtH1spSBU0Rwiq6bpQycIoJTdN0sZeAUEZyi643YiwycIoJTlEOvGsXAKSI4xbqonvJJgsjAKSI4RelNJokMnCKCU5TuO5+BU0RwitJ95zNwighOUXrvfOZNEb0pSvedz7wpojdF6b7zmTdF9KYo3Xc+86aI3hSrN6kpxtIUwSnWKU/KFysiA6eI4BR9TVPO5pGBU0RwinVxPeULDZGBU0RwihWclK8aRCZOEcUp+p6LRiZOEcUp+p6LRiZOEcUpVnGyfFmByMQpojhF3xsMFZk4RRSn6Htd+ZGJU0Rxir7X0I9MnCKKUwzdhj4jp4jkFEOvoc/EKaI4xdBt6DNxiihOMXQb+kycIopTrHOetHoUE6eI4hQXceL1KAZOEcEpht5YqMjAKSI4/f+c3VFy5DiSLuq99HNbWwBwAO6zg7uGY9fKlFJUlk4ppRxJWdU5Y7P3awGACPLn7xzmfSpZoNIVinCCID7AUQ/3PFUGThXBqfbyehd+sHVl4FQRnGrTo+ycvVEZOFUEpzrAiUNPZeBUEZxq0yMPeioDp4rgVJseeXhWGThVBKdaD2qXVeZNFb2pNjxyfKQybqrITbXmA8KrzJsqelOt5YDwKgOniuBU6xGLViZOFcWpdnFytp5XRk4VyalWO7ovMHOqaE61CVJ2TkSpDJ0qolNthJSjM9/A1KmiOtVmSNk5zaQydqrITrWzU3SGyIydKrJTbYiUozMGYu5U0Z1qY6QcnSufyVNFeara7/nqxGB5ivZU+56nyMtfVIZPFfGpNkvKznEVlfFTRX6qDZOyczxDZf5U0Z9q06TsHItQGUBVBKjaPCk7RxpURlAVCao2T/JO/qqMoCoSVLWDxVCVEVRFgqoNlLJzGkFlBlXRoKod3fMZQVUkqNo8KTuHEVRGUBUJqtrBzrzKBKqiQFXrSepctEygKgpUtZ6kzoMLE6iKAqWXnqT8wUWZQCkKlPYtT85JAsoISpGgtHlSFn7RKiMoRYLSS68EyS9aZQSlSFDaPCk7Nf+UEZQiQWnzpCzcOpQRlCJBaScopz65MoJSJChtnpSd+uTKCEqRoLQTlPDBhzKCUiQo7QQl/CFMmUEpGpQ2UMpOKX9lBqVoUNoNSpw8ZQalaFDaQClnPoBRZlCKBqUNlLJTn1yZQSkalDZQypkPxpQZlKJBaROl7NTCVoZQigiloZeF5LWmlCGUIkJp6HVL+SBZGUIpIpQ2UcrZyVOGUIoIpR2hnOrPyhBKEaE09ho8Tn/KEEoRobQjVOaDIGUIpYhQ2kQpO/WOlSGUIkJp7Mc9OHnKEEoRobSJUnZqfipDKEWE0iZKuTj9KUMoRYTSRkrZqeyoTKEUFUpjPRjgKlMoRYXSRkreQFuZQikqlEY7GCQrUyhFhdKuUN59jjGUIkNpCkf3OcZQigyl6WDpnjKFUlQoTT1NndscUyhFhdK+7ckpuKlMoRQVSlM+6gqZQikqlKaepk4XxBhKkaG0M5RziJAyhlJkKG2mlIvTjTGGUmQoTUfzpsoYSpGhtJlSLvbPbP8Kin8LYyhFhtJxtpNze2EMpchQKvHo9sIYSpGhtJlSdgqQKmMoRYbSZkrZKcuojKEUGUr7vienLKMyh1J0KJXD2z5zKEWH0oZK2am7p8yhFB1KGyplp16dModSdCjtJzxVp/9gDqXoUNodqjr9B3MoRYfS7lDe0JI5lKJDaXcob1jIHErRobQ7lDfUZg6l6FCae546/RhzKEWH0u5Q3jCIOZSiQ2l3KPdvYXmKDqW556nTFzKHUnQozXo0hGEOpehQ2nc+GZ/DVeZQig6l3aEsUHNV5lCKDqVNlXJ1HqMYRClClDZVyur0hQyiFCFK+9YnpxihMohShChtqpSdQoLKIEoRorSxEi87rsyhFB1K+8Ynp+adModSdCjtDsXPgVbGUIoMpaV3pjfvUPQOZQqlqFDaK+/ROqjKDErRoLQblPI3wQhKkaC073kyPqZkAqUoUNo4qVxuIS6GnyYDKEWA0sZJTkFXZQClCFDaOKlE5w9hyYkApU2TijO+Zv6k6E/a/UmdeyzzJ0V/0oZJzjXC9ElRn7RRUtbMe3KmT4r6pL3gnnONMHxSxCft+ORcI8yeFO1Je7k9fo0weVKUJ+3y5FwjDJ4U4Uk7PDnXCHMnRXfShkjeNcLYSZGdVA/OJVGmTorqpI2QvGuEoZMiOmkTJO8aYeakaE7azUmd8R8zJ0Vz0r7liV8jTJwUxUm7OHnXCBMnRXHSXmbPuUYYOCmCkzY98q4R5k2K3qTmH5ujjJsUuUk7NznXCNMmRW3Srk3ONcK0SVGbtJ/q5FwjDJsUsUkbHXnXCMMmRWzSJkfeNcKsSdGatMGRd40walKkJuvUpPyZwBg1GVKTHZzpZAyaDKHJ+l4nnt/GnMnQmaw7E89vY8xkyEzWdzrR/DaGTIbIZB2ZeH4bMyZDY7JuTDy/jRGTITFZ8yInv40Jk6EwWeMiJ7+NAZMhMFnTIie/jfmSoS9ZwyInv43xkiEvWecl5c+JxnjJkJesWZGT3wyXDHHJ+gYnJ7+ZLRnaknVbcvKb0ZIhLVnwz8MzBkuGsGQdlpz8Zq5k6ErWXcnJb8ZKhqxkzYi8/GaqZKhKFg4OdjCGSoaoZE2IvPxmpmRoStaAyMtvRkqGpGSdlJwivsZIyZCUrPmQk98MlAxByfquJie/mScZepJ1T3Lym3GSISdZ39PE85thkiEmWcckJ7+ZJRlaknVLcvKbUZIhJVlzIS+/mSQZSpI1FvLym0GSISRZUyEvv5kjGTqSNRXy8ps5kqEjWXckp8C0MUcydCTrjuQUhzbmSIaOZN2RnErGxhzJ0JGsO5JT/teYIxk6kqXeffLnfmOOZOhI1h3JKaxqzJEMHckaCmWncqYxRzJ0JOuO5JRGNOZIho5k3ZGcuWRjjmToSNYdyaFbY45k6EjWHck4QxtzJENHsu5IxlecG3MkQ0eyhkLlwr3CmCMZOpJJfz7iVmnMkQwdyaSPQbl5GHMkQ0cy6fd553phjmToSCZHy5yMOZKhI1lDoeKUwDLmSIaOZA2FysW55pgjGTqS5T7/6VxzzJEMHcmOCugZYyRDRrLOSF6qM0YyZCTL+Sg9GCMZMpLlcpTqjJEMGck6I3mXHGMkQ0ayrEeXC2MkQ0ay3G/5fAWKMUYyZCQrPU2dRx3GSIaMZKWnqTOcZIxkyEjWTKg4tWCMMZIhI1np8/TOLZsxkiEjWTOh4hTqMMZIhoxkpc+FOl0QgyRDSLKmQsXZ1G0MkgwhyUqfb3K6DyZJhpJkpT/TO90HoyRDSrLSn5ucWzbDJENMstrHpk6eMk0y1CRrNlScbZnGOMmQk6wePNYzTTLUJOuaFC/85sI4yZCTbHBS4IMP5kmGnmTdk6LTmzJQMgQlq33KnmO4MVAyBCVrPlQiL2ZsjJQMScn6hqbAa74ZIyVDUrLap56cq4WZkqEpmfbHe+dqYahkiEqm/RHKuVoYKxmykjUkcnOMuZKhK5mmoxxjsGQIS9ZhycsxJkuGsmTNibyaRcZoyZCWTA/zlNmSoS2ZHuYpwyVDXDLt0/fOKIjhkiEumfY8dXoxxkuGvGTW50iduy3jJUNeMuvzUM7dlvmSoS+Z9Wd9527LgMkQmKx5UUnOd8uIyZCYrIFRcc4VNmZMhsZk1n2enyhuDJkMkck6Mjl7iYwpk6Ey2dGWJmPKZKhM1pXJ2Y5kjJkMmck6M3ldEHMmA2eKl0tPU3rTH63bGOsXlxjBX3c6WncxAsaI/mU7WncxIsZIfnqM1l2MhDF6mtJLf7TuYgjGyP7lMlp3MTLGKP7lMlp3MQrGqIefxz5P1y8uMVqe8q1mo3UXQzFGy1O+1Wy07mJgnjZACimxXe6jFWMEzNMGSEVoVzhadzEwT/uWJnrpj8ZdCEzTRkhF6LPLaN3FwDRthlT4jrfRuouBadoUqfAdb6N1FwPTtDFSEdqbjtZdDEzT5kjOMRmjdRcD07TTk9DudLTuYmCadnsSpysk+LR+ccTo+MR3zY1WjBExTZslhVhuZWmsYAiWpRGztFFSyc5VS/Rp/eISo6VpDuzuMlp3MTBNmyal2wzuvirNaN3FwDRtnJTSha3CHa27GJimDZRKjs7fwtI0Ypo2USo5sRXFo3UXA9O0kVK57QSgMViaRkzTrlCZnpAzWncxME07Q+XCYxCHWr+4xGhpqvSBcLTuYmCedojKlX+3RKLWLy4xep4qzzEiUesXlxitO81OnhKJWr+4xMjtDnVhpX5G6y4G5mljpVKcXCcStX5xidHytNBV66N1FwPztLFSKdGJwfI0YZ42ViolOTFYnibMUznYeDdaMYZgnjZWcj9TIlHrF5cY8egzJRK1fnGJkY4+UyJR6xeXGHL0mRKJWr+4xGi3fb65c7TuYmCedokqdJfYaN3FwDztEsV3EY7WXQzM0y5RfAfgaN3FwDyVnqfq5BjLU8E87RJVqFSOVoyRMU+7RNWLE4PlacY87RJV6YTSaN3FwDxtrlSqc80Rilq/uMSQo76QUNT6xSVGPrpnE4pav7jEKEdjGEJR6xeXGPXo/kIoav3iEkOP7i+EotYvLjHsaCxFKGr94ojRKcobOxCKWr+4xAhH4yBCUesXlxjxaExHKGr94hIjHY1hCEWtX1xiyNH4g1DU+sUlRj66vxCKWr+4xChH9xdCUesXlxj16P5CKGr94hJDj+4vhKLWLy4x7GiMSyhq/eKI0VzJHVsSilq/uMTo/anzmE0oav3iEqP3p869kmDU+sUlhi/7o3EXAtO0+sv4RuMuBGZpr63nzdERilq/uMRoWcr3/o7WXQzM0upPnY7GXQhM0lFa78K0YrTuYmCSHmxuGo27EJijHaL4LubRijEUc1QPZ04JRK1fXGL0HK38fk0gav3iEqPf852pDwJR6xeXGHLwzRKHWr+4hMgH3wphqPWLS4ieo84EDGGo9YtLjKMcJQq1fnEJoUd/CUtRxRTtCMV3/Y7WXQzM0Y5QfNfvaMUYhjnaq+rxolajdRcDc7QjFN85PFp3MTBHO0Lxfb+jdRcDc7Qj1K2KNruvEIRav7jE8MvqjcZdCEzSBkpedhCCWr+4hKhHPQcxqPWLSww96jmIQa1fXGL0LHWMgRjU+sUeI3SD4vsBRyvECGhQwd/rNNp2EQJG6MtOhFWdHq27GBFjpINbU2ACFVCgQuOk5ORoYAIVUKBCFyjl32xgAhVQoEIXKOUiF5hABRSo0AVK6TK+0bqLUTFGy1KjywlH6y6GYgw7eIYLTKACClRonJQyfz4PTKACClToAuU8BwYmUAEFKjRP8p6tAyOogAQVOkHxlfejdRcD87QTlPF5gsAIKiBBhdCrQdCT2kfrLgbmaScovnp/tO5iYJ42Typ89f5o3cXAPO0ExVfvj9ZdDMzTTlB89f5o3cXAPO0E5eU6I6iABBXiYZ4ygwpoUCEe5ikzqIAGFbpB8Z0Io3UXA/M09jzlY9vADCqgQYV+shM9uXU07kJgmjZP4vXRR+MuBGZp4yRe/m007kJgkjZN4if6jsZdCMzRhkn8RN/RuAuBKdosKRX+Lpg+BdSn0HdBGR/nB6ZPAfUpNEoKmvjdmulTQH0KjZLCbQzFrhSmTwH1KTRKcg4LHa27GJihXZ/4SQKjdRcDU7RREj/3dDTuQmCK9m1Q/GTg0bqLgTnaJImfDDwadyEwR5P5ZyKM1l0MTNIGSfxMhNGIIZCeQnMk5zzb0bqLgUnaHImfZzsadyEwRyX5B8mO1l0MzNHGSPyI4dG4C4Ep2hTJ63uYOwV0p9AQyet7GDsFZKfQDImfJj4adyEwQRsh8dPER+MuBCZoEyTvbsDMKaA5hQZI3j2JkVNAcgrNj7x+mIlTQHEKjY/4geSjcRcC07PpkXdbY94U0JtCwyN6Evho20XA5Gx0RE8CH227CJibDY74SeCjcRcCc7O5ET0JfLTtImBqNjWiZ3CPtl0EzMxmRvXCp50CY6aAzBSaGdWL83jBmCkgM4VmRvXCp4wCY6aAzBR64bzC7+9MmQIqU2hkVPlex9G6i4HZ2cio8n2Ko3UXA/Pz4ACn0bgLgQnaxMhbZxcYMgVEptDEqPLtkqN1FwNztB/g5PTAzJgCGlMoR90nI6aAxBTqUffJhCmgMIWj05tG6y4Gpmg/vckZ7DBgCghMoR/e5A12mDAFFKbQvMjrvJgwBRSm0LioXpxneSZMAYUpNC6qF7oreLTuYmCK1p6idOf5aN3FwBRtXuTdkpgwBRSmUHs/ypeEBEZMAYkpNC/yRkxMmAIKU2hc5I2YGDAFBKbQtKjyfaOjdRcDc7RpUeX7RkfrLgbmaOOiyveNjtZdDEzS5kWV7xsdrbsYmKTNi7z+iwlTQGEKzYu8/osJU0BhCqoH/RcTpoDCFBoXuf0XE6aAwhQaF3n9FwOmgMAUmha5/RcDpoDAFJoWef0X86WAvhQsHfVfzJcC+lIwOeq/mC8F9KVg+aj/YsAUEJhC4yKv/2LAFBCYgtWj/osBU0BgCnY028R8KaAvBTuabWK8FJCX4uVyML0SGS9F5KXYtMiZGonMlyL6UuyHNjlTI5H5UkRfit2X+JxEZLwUkZdisyJvTiIyXorIS7FZkTMnEZkuRdSleCkHcxKR6VJEXYqNipw5ichwKSIuxcvBo3xkthTRlmKDIuchOjJaikhLsTmR8xAdmSxFlKXYmIg/AUfmShFdKfZqevQJODJViqhKsRERf3yNzJQimlJsQMQfXyMTpYiiFEO/wfNnrchEKaIoxXD0oBSZKEUUpdg3NVWuuJGJUkRRio2HgmT6/BqZKEUUpRj6PZ6LdGSiFFGUYuMh7zpjoBQRlGLf01T5gvHIQCkiKMUOSpUvRIkMlCKCUoxH0/WRgVJEUIpNh0LlMB4ZKEUEpdh4yO3+mChFFKXYfCgoB+nISCkiKcUGREFpjZzRuouBadqEKCitQDBadzEwTRsReRQTmSpFVKWY+qJR4TdpxkoRWSmOTU1OnjJWishKcbCSk6eMlSKyUuysxI9iH627GJin6WBBXmSqFFGVYlclfvT4aN3FwDTt1fW8t8GyFFUppgP4jAyVIqJSbETk9WEMlSKiUmxCFCJ/TokMlSKiUmxE5OztjAyVIqJSlL49tNKntshQKSIqxUZEzvNnZKgUEZViEyLn+TMyU4poSlHEf5COzJQimlJsQhSi0mVwkaFSRFSK0m/3xvsepkoRVSk2I/IWO0TGShFZKTYkCik474PlKLpSbEoUUnRisBxFWIr5aKt9ZLIUUZZic6KQhH8vjJYi0lLMfQFJdmKwLEVbik2KQipODJamiEtxbGaq/DNlvBSRl2LOR0NKBkwRgSk2LgqJVukZrbsYmKe556mT68yYIhpTzH1Y6uQpU6aIyhRzH5Y6ecqUKaIyxXIw9RQZMkVEpliOZvAjQ6aIyBQbGQUR/qcwZYqoTLGRUZDCTh0frbsYmKbl6HbPkCkiMsXSF5FUfrUwZYqoTLErkyi9wzFkiohMsYlREOMhWI6iMcUmRiFfeAiWomhMsYlRyIGHYBmKxhT7NqYcaQhmTBGNKXZjyomHYAmKxBQbGIUsPATLTySm2Lwo5MxDsPREYYrNi0LmIx8mTBGFKTYuCrnyECw7EZhi06KQeXYyX4roS7FhUcg8OxkvReSl2LAoFJ6djJci8lJsVhQKz06mSxF1KTYrCoVnJ9OliLoUmxVVXv5ytO5iYHoOXuJrXiPjpYi8FAcv8XWikfFSRF6Kg5ecx3rGSxF5KTYrutVIZI9LTJci6lLUg3WikelSRF2KzYqq+zZYiiIvxSNeioyXIvJSbFbkza0yXYqoS7FZkffgx3Qpoi7FRkWOQUSGSxFxKTYqcgwiMlyKiEuxSZE3ScxsKaItxW5LkTNsZLYU0ZZit6XIGTYyW4poS7FJUY183X9kuBQRl+LBMU2jcRcCE7RJkVMZJDJbimhLsUkRP9piNO5CQIKmfkwTnxJIjJYS0lJqUFQjJ+nEbCmhLaUGRTXyWe/EbCmhLaVePY+ebjEadyEShugpym8HidlSQltKl56i/HaQGC4lxKXUpMh5MkjMlhLaUmpSVHmJ2NG6i1ExxsGcU2K4lBCXUqOiGvnmhcR0KaEupWZFlVczHa0YA3kphXAwt5oYMCUEphSOltsnRkwJiSk1MUo3pCeXfWLIlBCZUjOjYLwIRmLMlJCZUt+4xG9MiSlTQmVKjYwqLxA7WncxMEsbGVVeIHa07mJglnZlcr9alqaoTCkcTd8npkwJlSl1ZfK+WsZMCZkpdWbyvlrGTAmZKcV48NUyZUqoTKkf3MTrGI/WXQzM0n50Uy3/FPtXDdgfM2VKqEypl84LvERKYsqUUJlS7GnKV10lpkwJlSn1jUuBC1FiypRQmdIoncdLtSSmTAmVKTUyqsm51TJlSqhMqZFRdQqzJqZMCZUpNTKqiStTYsqUUJlSI6PK6xiP1l0MzNN0UJokMWRKiExp7F3iQpSYMiVUptTIqPJayKN1FwPTNPU0dW6UjJkSMlPqzBSE90DMmRI6U+rOxB/fEnOmhM6UGhp5HRBjpoTMlORgg11izJSQmZL0HHVGDYyZEjJTGszkfKDMmRI6U+qbl7iYJeZMCZ0pyVGVp8SgKSE0JclHlz2DpoTQlKQcXfYMmhJCU5IDCk3MmRI6U2po5CYHS1FkptTMqDpVoRNjpoTMlJoZuTc4xkwJmSk1M6pOZenEmCkhM6Xck5Qe8TNadzEwSZsZVaeydGLMlJCZUjOjKrxqeGLMlJCZUq+ZxyvCj9ZdDMzSXjOPH0oxWncxMEt7zTynhkVizJSQmVI+KKGTmDIlVKbUyMgrkpKYMiVUptRL5jlFUhJjpoTMlPpeJqdad2LMlJCZUjOj6lTrToyZEjJT6puZnFI+iTFTQmZKDY28DogxU0JmSr1inlMhLjFmSshMqaFRdQp+J+ZMCZ0p9c1Mwmd8E4OmhNCUGhtVp+B3YtKUUJpSc6OaeYWTxKgpITWlBkc184VciVlTQmtKTY5qdobpDJsSYlNqdFSz04sxbUqoTanZUc3OvZZxU0JuSv34JqdKZWLelNCbUj++yakwmRg4JQSn1GvmOdU4EhOnhOKU+vFNTqWVxMgpITmlBkg1O2MPZk4JzSn1LU3Z6T4YOiVEp9Sr5jnVdhNTp4TqlPrxTU613cTUKaE6pVE1jy+eTEydEqpTGlXznDslU6eE6pT68U1Otd3E1CmhOiU9qE6SmDolVKfU1Sl7HylLU2SndLSpKTF1SqhOqRlSUueqZeyUkJ2S9ix1xnPMnRK6U2qK5I7FGDwlhKdk4cATE5OnhPKUujyJ87UwekpIT6nXzeNHWI7WXQzM0m5Pme9JSsyeEtpT6vbkpRizp4T2lLo93Wrtsvxg9pTQnlLf2FScq5bhU0J8Sr1ynlP1LjF9SqhPqVlSLc7dlvFTQn6SvrWJE6swfhLkJ+n8VHiqC+MnQX6Sy1GpJ2H8JMhP0jApOSuehfmToD/JKJ3HU0yYPwn6kzRMSspvUML8SdCfpGmS84QtzJ8E/Ul65TynUrcwfxL0J2ma5CwDEOZPgv4k3Z/cGCRJBf1JeuE8p9i3MH8S9Cfp25uc4ufC/EnQn6RhUi18WCnMnwT9SXrhPOfBVpg/CfqT9MJ5TsFwYf4k6E/Sz25yCoYLAyhBgJJeOM8pGC4MoAQBSnrhPKdguDCAEgQoaZpUi5PqDKAEAUpC70z5bLgwgBIEKGmaVJ3DJIQBlCBASey9KZ+GFgZQggAlHaD4ihVhACUIUNIBiq9YEeZPgv4kDZNq4Q+2wvxJ0J8k5oPbpDB/EvQn6f5U+cOxMH8S9CdpmFQrnyYU5k+C/iTDn/hxFML8SdCfJB6ULRHGT4L8JOmgbIkwfRLUJ+l7nLy7NdMnQX2Srk/eqIHpk6A+SUpHfTrjJ0F+knFwE3+8FsZPgvwkzZK8uzXTJ0F9kkZJzgZeYfgkiE/Sj21ykEIYPgnik4xjm5w7C9MnQX2ScWyTc2dh/CTITyKXozsL8ydBf5JxbJNzZ2H+JOhPIvHozsL8SdCfpB/b5ExWCgMoQYASkYMJPmEAJQhQ0gHKmeATBlCCACUdoJwJT2EAJQhQcgRQwgBKEKBEDspCCAMoQYCSfmiTMyUmDKAEAUry0WE4wgBKEKCkH9rkjQcZQAkClOTDcSkDKEGAkn5okzPdKQygBAFK+j4nZ6jP/EnQn6RhkvdsLcyfBP1J8tEzvjB/EvQnaZjkzVcI8ydBf5J+ZpMzQygMoAQBSpomeTOEwgBKEKCkHM2YCgMoQYCScjRjKgygBAFKDs9sEgZQggAlHaC8HGMAJQhQ0qvpOYglTKAEBUpKPph7ESZQggIljZO8uRcGUIIAJR2gnCkxYQAlCFDSj2xykEIYQAkClAyA4jggDKAEAUoGQDlfCwMoQYCSQ4ASBlCCACWHACUMoAQBSg4BShhACQKU1KOJfWEAJQhQ0kvqeZcLAyhBgJJeUq/ypQnCAEoQoKRpkjtSZwAlCFDSNMmzeGEAJQhQ0gHKOdJLGEAJApQ0TarOkV7CAEoQoKRve3IOwhIGUIIAJX3bk3N8lDCAEgQo6dueqjNjwQBKEKCkb3tyjn4SBlCCACW9qp5z6JIwgRIUKNGDMhHCAEoQoKTve3JOTBImUIICJY2TqnNikjCBEhQo6QLlnHYkTKAEBUq6QDmnHQkTKEGBki5Qzk4dYQIlKFDSOKmqc7kwgRIUKGmcFIrzCMUESlCgpAuUOpccEyhBgZIuUM45Q8IESlCgpAuUOpccEyhBgZIuUOpcckygBAVKrOepc8kxgRIUKOkCZc71wgRKUKBy86TqnCSTGUFlJKjcCcr49ZIZQWUkqDyq69HuIzOByihQ+ZIO6rtkJlAZBSr3HVDOYTSZCVRGgcp9B5RzGE1mApVRoHLzpOocRpMZQWUkqHw5OAYvM4HKKFC5eVJ1zrPJjKAyElS+mF9QIDOByihQuXGSU1AgM4DKCFC5b4DiBQUy86eM/pT7/ideUCAzfsrITzkkv6BAZvqUUZ9y3/3ECwpkhk8Z8SmH7BcUyMyeMtpT7iX2eEGBzOgpIz3lXmGPFxTITJ4yylPuW594QYHM4CkjPOW+84kXFMjMnTK6U44Xv6BAZuyUkZ1y3/fECwpkpk4Z1Sn36nq8oEBm6pRRnXIvrscLCmSmThnVKXd1cg58ykydMqpTjr3/5LfXzNQpozrleDAazQydMqJT7uhk/Oy7zNApIzrlJkjqHMaQGTplRKfcCEmdwxgyU6eM6pSbIalzGENm7JSRnXIzJO8jZeqUUZ1yVyfvI2XqlFGdciMkdQ50yEydMqpTboSkzoEOmalTRnXKo7Qe33aZGTtlZKfcEEmd0xgyc6eM7pQbIunFuUUzd8roTjn1NHWuWuZOqxeXGD1NnauWuVNGd8r9yCblPSljp4zslJsh6YWPqzNjp4zslJshqVMwPzN2yshOuRmSOgXzM2OnjOyUmyGpUzA/M3bKyE65GZI6BfMzY6eM7JSbIalTkzczdsrITrkhkjqVZjJzp4zulJsiqVNpJjN4yghPuSmSOpVmMoOnjPCUmyJpcFKdwVNGeMpNkTQ4ecrgKSM85aZI6lQUyQyeMsJTborknXibGTxlhKfcGEmdqiSZyVNGecqNkTQ6uc7kKaM85cZI6lTiyEyeMspTboykTiWOzOQpozzlXmDPlFaDy0yeMspTboykTimOzOQpozzlxkjeHZvBU0Z4yk2R1KnmkRk8ZYSnXHqaOpccg6eM8JSbIqlTRyMzeMoIT7n0NHUuOQZPGeEpN0VSp+hDZvCUEZ5yYyR1ij5kJk8Z5Sk3RlJnV39m8pRRnnJjJHFgMjN5yihPuTGSOjvyM5OnjPKUGyNpci45Jk8Z5Sk3RtLkXC5MnjLKU26MpM6O/MzkKaM85cZI6myFz0yeMspTboykzlb4zOQpozzl2vPUyXUmTxnlKTdGUmeTcGbylFGecmMkdTb4ZiZPGeUpN0ZSZ3NuZvKUUZ5yYyQVJ0+ZPGWUp9wYSZ1doJnJU0Z5yo2R1NkFmpk8ZZSn3BhJxclTJk8Z5Sk3RlJn+2Vm8pRRnnJjJBUnT5k8ZZSn3BhJne2XmclTRnnKzZE0O3nK6CkjPeXmSJqdPGX0lJGecnMkzU6eMnrKSE+5OZJmJ08ZPWWkp9wcSbOTp4yeMtJTbo6k2clTRk8Z6Sk3R9Ls5Cmjp4z0lJsjaXbylNFTRnrKzZE0O3nK6CkjPeXmSJqdPGX0lJGecnMkLU6eMnrKSE+5OZIWJ08ZPWWkp9wcSYuTp4yeMtJTbo6kxclTRk8Z6ak0R9LC87QweipIT+VyMClVmDwVlKfSHEkLT/XC6KkgPZXmSOpsXyiMngrSU2mOpM72hcLoqSA9leZI6mxfKIyeCtJTufQ05aleGD0VpKfSIMk5zq0weipIT6U5klZ+tRRGTwXpqTRIUmffQGH2VNCeSpMkddbfFIZPBfGpNEpSZ91LYfpUUJ9KsyR11r0Uxk8F+ak0TFJn3Uth/lTQn0rTJHXWvRQGUAUBqjROUmfdS2ECVVCgSvMkdda9FEZQBQmqNFDyTpYrzKAKGlQZhzzxEvSFIVRBhCodofjpdIUhVEGEKvFycDpdYQpVUKFKMyWn7GZhClVQoUozJe8syMIYqiBDlYZKziF5hTFUQYYq8eiQvMIYqiBDlXhwSF5hClVQoUo8OiSvMIYqyFAlHhySV5hCFVSoEg/W6xeGUAURqvSdT3xDWmEGVdCgSt/5xE+LKYygChJUaaDkLNktjKAKElRJByfnFCZQBQWqpIOTcwoDqIIAVZomOVuWCvOngv5UGiY5W5YK46eC/FSaJTlbQQrTp4L6VHrJPXpsYWH2VNCeSi+4R48tLEyeCspTaYzkDTYYPBWEpzLgiZ1bWJg7FXSn0hCJn3xYmDoVVKfS1clZhFmYOhVUp9LVyVlBWZg6FVSn0ghJbqW9c8LUZOZU0JxK3+rkrFsszJwKmlPp5uSs4yzMnAqaU+nm5KzjLMycCppT6Yc68TnSwsipIDkVObq7M3EqKE6l8ZF3L2LgVBCcSgcnZ0FqYeBUEJxK0yOv52PeVNCbSj66uTNuKshNJcvBMIVpU0FtKo2OvC6DYVNBbCr5YPtIYdZU0JpKgyOvC2fUVJCaSnMjp9th0FQQmkpTI6frY8xUkJlKObqxM2YqyEylmZFzG2HIVBCZSjm6rzNjKmhMpST/TsSEqaAwlaPaeoUBU0FgKk2LvLEa86WCvlRKORirMV4qyEulWZE3PmG6VFCXSjkonl8YLhXEpdJxyVm7XhguFcSl0nFJ+SbRwnCpIC6VJkXC94gWZksFbak0KBK+n7EwWipIS6U5kXh/CMtPlKXSmEj4VrPCYKkgLJWmRFKdECw/0ZVKdyVnGX9hrlTQlUp3JWcZf2GuVNCVSnclZxl/Ya5U0JVKdyVnGX9hrlTQlUpDIqdQamGsVJCVSjMiZ+FUYapUUJVKIyLvxsxQqSAqlSZE7lM3Q6WCqFSaEHmnoxaGSgVRqXRUcvZFFIZKBVGpNCFyvxSWo2hKpQGR+6WwFEVSKv0UJ+9LYRmKolT6KU7ul8IyFEWpNB5yvxQmSgVFqXRRcjaaFCZKBUWpNB7yOh8GSgVBqXRQcvaqFAZKBUGpNB3ycoN5UkFPKg2HJPHDMgrzpIKeVBoO+d8Ky1H0pNI9ydnvUpgnFfSk0j3J+G7bwjypoCeV7knOfpfCPKmgJ9XLQT9aGSdV5KR6OehHK+OkipxUmw2Jsxe7Mk6qyEn1cvCQVJkmVdSkejmaAa1MkypqUm00JJmfalqZJlXUpHo5StLKNKmiJtVLT1I+YKiMkypyUr0cVCOvTJMqalK92FFykBStiEm1yZBkftpGZZhUEZNqkyHJ/AjgyjCpIibVcHCzr8ySKlpSDUc3+8osqaIl1QZDboIxS6poSbVvZvISjFlSRUuq3ZKcXSuVWVJFS6oNhrwEY5RUkZJqcyEvwZgkVZSk2lzITzCWpEhJNV6OEoxRUkVKqp2SnARjlFSRkmqnJC/BGCVVpKQa01GCMUuqaEk1Ho1IK7OkipZUYx+R8keNyjCpIibVJkPO819lllTRkmqTIef5rzJLqmhJte9ocrbwVIZJFTGpNhoyZ1dUZZpUUZNqsyFzdkVVxkkVOan2QnreN8s8qaIn1aZD5uysqgyUKoJSbTxkzpamykSpoijV5kPmbGmqjJQqklJtQGTOdqTKTKmiKdUmROZsR6oMlSqiUm1GZM52pMpYqSIr1aZE5mxHqgyWKsJSTT1P+cN9ZbJUUZZqgyJz9hJVZksVbak2KjJnL1FlulRRl2qjInP2ElWmSxV1qcoBfFaGSxVxqTYr8u4LTJcq6lJtVORM/1eGSxVxqTYpcqb/K7OlirZUGxQ50/+V0VJFWqoNipzp/8poqSIt1QZFfPq/MlmqKEs1+/JZGSxVhKXalMiZ/q/MlSq6Uu1HONHp/8pYqSIr1YZEzvR/ZaxUkZVqQyI+/V+ZKlVUpdqMyJn+r0yVKqpSbUbkTP9XpkoVVak2I3Km/ytTpYqqVPPBCWOVsVJFVqpNiZzp/8pcqaIr1dK7Tue2yGCpIizV5kTewaaV0VJFWqoNisLtBClSPasyW6poS7Wkg06L4VJFXKrl8Ime6VJFXarl4KSRynSpoi7VXjbP6cGZLlXUpVoOVodWpksVdak2K/K6X6ZLFXWpNiryul+GSxVxqTYpcrpfRksVaanW4He/TJYqylKt8aD7ZbJUUZZqcyKn+2WwVBGWamMir/tlsFQRlmpjIqf7Za5U0ZVqPVjOVBkrVWSl2gvlOd0vU6WKqlQbEXndL0OliqhUmxB53S8zpYqmVJsQed0vM6WKplS1jzqdJwqGShVRqTYi8iZFGCpVRKXahCgLP1ekMlSqiEq1CZEFXse+MlSqiEq1CZE5m88rQ6WKqFQbEZmz+bwyVaqoSrUZkTmbzytjpYqsVPVo52dlrlTRlWp3JeN1xitzpYquVK3f4Z0HLOZKFV2pNiSyyMv8VuZKFV2pNiUyZwN7ZbBUEZZqUyJzNrBXBksVYak2JjJnA3tlslRRlmpjInM2sFcmSxVlqTYmMmfzeWWyVFGWamOiUPmqicpkqaIs1V4kz6mfWpksVZSl2pjInB3slclSRVnS5kTm7GBXRkuKtKSXnqf8mlNmS4q2pL1I3m0xC/lMldmSoi3ppecpv+aU4ZIiLmmTImfXlTJbUrQlbVBkiZfUV2ZLirakDYqc0awyWlKkJe0blfhoVpksKcqSNidyhvbKZElRlvRysIJZmSwpypKGg5PElMGSIixpUyJnQKzMlRRdSbsr0QGxMlZSZCXtrEQHxMpQSRGVtAmRMyBWZkqKpqQNiPiAWJkoKYqSNh5yBsTKQEkRlDRUd0CszJMUPUmbDjkDYmWepOhJ2nDIGRAr4yRFTtJmQ86AWJkmKWqSNhtyBsTKNElRk7QfysQHxMowSRGTtMmQOXU7lGGSIiZpkyFz6nYowyRFTNLYu04+SlCGSYqYpI2GzKm5oUyTFDVJmw2ZU3NDGScpcpI2GzKn5oYyTlLkJO2c5NTcUMZJipykzYacZf7KNElRkzQdkKcyTFLEJE1H5KkMkxQxSfvuJL5VQJklKVqSNhjy7quMkhQpSdPBJL0ySVKUJE0Hk/TKIEkRkjQdTNIrcyRFR9J0MEmvjJEUGUmTP0mvDJEUEUkPticpIyRFQlI5mKRXJkiKgqTiT9Ir8yNFP1I5mKRX5keKfqTiT9Ir4yNFPlI5mKRXxkeKfKRyMEmvjI8U+UjlYJJeGR8p8pHKwSS9Mj5S5COVg0l6ZX6k6EfaOMicYkXKBElRkHRsTeJLG5QRkiIhaT5YGqrMkBQNSXO/vztPRgyRFBFJmwmZOI81jJEUGUkbCnneoMyRFB1J88EsvTJHUnQk7buTvJsRgyRFSNLGQuaUf1ImSYqSpM2FzCn/pIySFClJeyU878GZUZIiJWlzIe+uyCRJUZK0HCy7UwZJipCkR5CkDJIUIUk7JDk3VuZIio6k3ZGcGytzJEVH0u5Izo2VOZKiI2l3JH5jZYykyEjaGYnfWJkiKSqSdkVybqxMkRQVSRsKOTdWpkiKiqQNhbwbK2MkRUbShkLOjZUpkqIiaVck58bKGEmRkbQzknNjZYykyEjaGcm5sTJHUnQk7Y7k3FiZIyk6ktaDog3KHEnRkbT2rtN5ymOQpAhJWnvX6TzlMUlSlCRtLuR1OEySFCVJ9ajnZJCkCEl6tDtJGSQpQpL23UlOt8ccSdGRtKGQ1+0xRlJkJNWDsg3KFElRkbSRkNPtMUNSNCQdO5N4BJadKEjaNyY53R4DJEVA0qZBTrfH+EiRj7RZkNftMT1S1CNtFOR0e8yOFO1IGwR53R6jI0U60uZAXrfH5EhRjrQxkNftMThShCNtCuR1e8yNFN1IGwJ53R5jI0U20mZA5hTIVMZGimykzYDcATRjI0U20mZAXnl/ZWykyEbW2ei23pqMOo2xkSEb2eVoAZMxNjJkI7scTSsZYyNDNrJ+uJLyjQXG2MiQjawfrnTxPg+SpYZuZP1wpQtfDmDMjQzdyPqeJKdklzE4MoQj63Bk/KhLY3JkKEfW5cj4SbnG6MiQjuxyxPDG7MjQjiwc3OKN2ZGhHVm3I6fulzE8MsQjaxZUL3yTvDE+MuQjCwc754z5kaEf2fAjXhTOGCAZApI1DzKnvK4xQjIkJGsgZE55XWOGZGhINgrc8cNUjSmSoSJZ35XEJ5SNKZKhIlno41A+s2KMkQwZyeLBiiZjjGTISNYZid9njTGSISNZZyR+nzXGSIaMZL28HR86GVMkQ0WyeDAONYZIhohkTYScsZMxQzI0JIsH/G6MkAwJyeJBBRxjgmQoSBYPkNMYIBkCkkV/JGqMjwz5yBoG8WGkMT0y1CPresSfTozpkaEeWdcjOqo3ZkeGdmTdjuiThTE6MqQj69uQnFrcxuzI0I5s2JEzXGF4ZIhH1rcheUMvpkeGemTNgrwhoDE+MuQjS0edJ+MjQz6yvgsp8zPojQGSISBZByTnUmWCZChIJge8aUyQDAXJJB6MMxghGRKSycFDvDFCMiQkk6POkxmSoSGZHDzEGzMkQ0My8R/ijRGSISGZ+A/xxgTJUJBMDh7ijQmSoSCZHHSdDJAMAcnywUO8MT8y9CPL/kO8MT0y1CPLBw/xxvTIUI8sHzzEG8MjQzyyfPAQb8yODO3I8sFDvDE6MqQjywcP8cboyJCOrDmQOSchGKMjQzqyfogSr5poTI4M5cjyUekbY3JkKEdWDp/hmRwZypH16nbZebBhdGRIR9Y3IXk3I2ZHhnZk5Wg3vDE8MsQj63jk3NAYHhnikTUKcm9oTI8M9cjK0diT6ZGhHlk5WPppjI8M+cjKwdJPY35k6EdWDpZ+GvMjQz+yerD00xggGQKS1YOln8YAyRCQrPpLP40BkiEgWfWXfhrzI0M/snqw9NOYHxn6kVV/6acxPjLkI6sHSz+N8ZEhH1n1l34a0yNDPbJ69FTE8MgQj6weLP00ZkeGdmR6sPTTmB0Z2pHpwdJPY3ZkaEemB0s/jdmRoR1ZkyBzjuUxhkeGeGQqB2VVjOmRoR6Z5oObItMjQz2yrkfeTZH5kaEfWd+D5N0UmSAZCpKpHt0UGSEZEpLp0SS9MUQyRCSzy9FNkSmSoSJZQyHvpsgYyZCRrG9B8m6KzJEMHcnsoD6DMUcydCSzg/oMxhzJ0JHMDpZ+GnMkQ0cyO1j6acyRDB3J7GDppzFGMmQks4Oln8YUyVCRzPyln8YMycCQ0uXiLv0cbdsI6xeXCP7Sz9G4CxEwhLv0c7TtIkSM4C/9HI27EAlDuEs/R9sugmAEf+nnaNyFyBjCX/o5GnchCobwl36Oxl2IiiH8pZ+jcRdCMYS/9HM07kJgajYEMn7O3GjFGAGTsyGQ8XPmRusuBmZn8HfAj8ZdCEzPcJSehI3WLy4h/EXzo3EXAvOzl7LjLjladzEwQUNxe9/RuAuBCTrQiFreaN3FwAztaER78NG4C4EZ2gTI0eLRuouBKdoIyNHi0YoxIqZoMyCHJUfrLgamaPTnl0bjLgSmaEOgejvgaT9AGK27GJij0V9fNxp3ITBHo7++bjTuQmCK9r1H/FzI0bqLgTna9x7l6nwaLEcj5mjfe8SrAozWXQxM0iZBvMDBaNyFwBztlexux1PujXa0YoyEOZp6N0qr8o3WXQzM0V7Jjm9QHq27GJikvZId34w/WncxMEk7IfFjMkfrLgZmafOgXOyf2f4VdPd5sDRNmKadkG5HbdLPlKVpwjTtlewKXSUyWncxME17JbtCDX+07mJgmnZDKrRE82jdxcA87ZXsCi1sPFoxhmCe9kp2t3MyaQyWp4J52hWJr5oZrbsYmKedkfiqmdG6i4F5Kj1Pq/O3sDwVzNPGQlaca59I0vrFJUbPU+faJ5a0fnGJ4de9GY27EJim4te9GY27EJil4q+lH427EJik2Z8LHY0YImOOZn8x/WjchcAUPTgnaTTuQmCG9nOS6MPnaNyFwATN/mk0o3EXAvMz+8/yo3EXAtOzcxJ/diSatH5xieDOho62XQTMzXw0GiWWtH5xCeEekzTadhEwNYu/gGk0YoiCqVl8gx+NuxCYmsWdph9tuwiYmY2EjB/MO1p3MTA1mwkZP5h3tO5iYG72PUjeh8Fys2BuFv+Qj9G4C4HJ2UzIKU81WncxMD0bCrmjFeJI6xeXGHZ0FyCQtH5xxOiQ5N1ZiSStX1xihKM7K6Gk9YtLjHg0uCeYtH5xiZGOBveEk9YvLjHkaGROPGn94hIjH43MiSitX1xilKOROSGl9YtLjHo0MieotH5xiaFHI2KiSusXlxh2NCImrLR+ccTQy9GImLjS+sUlRjgaERNYWr+4xIhHI2IiS+sXlxjpaERMZGn94hLjcCRKZGn94hLjcCRKaGn94hKj5Sk/Kn207mJgnnZa4kelj9ZdDMzT5kTGj0ofrbsYmKfNiYwflT5adzEwT3t5O35U+mjFGIZ52svb8aPSR+suBuZpgyJnf/1o3cXAPG1SxM/AG427EJim/dgkZwKL2NL6xSVEdguPjcZdCEzSXtuOnxs/WncxMElHbTvGjqNxFwJztO9RopXtRuMuBKZoxyXnKYPo0vrFHiJ0XeJjqMB4KSAvhc5L/BEhMF4KyEuh70/iw/PAfCmgL4V+YhJ/7gvMlwL6UugnJvEnrsCAKSAwhcZFfHAdmC8F9KXQS9rRx4zAeCkgL4WxMYk+RAfGSwF5KXReoo9sgelSQF0KXZf4M3RguhRQl0Jwl9SPNoyAthQaFDnPv4HRUkBaCg2KnHmRwGgpIC2FTkt8XiQwWgpIS6FBkcN9gdFSQFoKvaIdf/gMTJYCylLo+5H4+eSjdRcDk7M5kXcnCoyWAtJSCAfHzY3WXQzMz74hiZ+TPlp3MTBBo3/c3GjEEEhLoZ+SdLmwJUGjdRcDU7RBUTBl61dG6y4G5mivbMcPWx+tuxiYpNGvCToadyEwSXthO35e+2jdxcAsjX1vJ08OZksBbSl0W+InpY/WXQxM0m5L/Oji0bqLgUna69opf7wIDJcC4lLouMTP2h2tGANxKfRjkhyWDgyXAuJSSEcdKbOlgLYU0lFHymgpIC2F5K8PHY27EJijya98Mxp3ITBFk79AdDTuQmCK9sJ2fOgXGCsFZKVwUNhuNO5CYII2IvJusAyVAqJSEH/r8WjEEGhKoQGRM1phohRQlIK4tW9G2y4C5ubBtqTRuAuBudm3JfGRH8OkgJgU5OgezywpoCUF8cuGjcZdCExNcYsyjbZdBMzM5kIh8vUngVFSQEoK0vtO/tgcmCUFtKQwjkZixzGORgyBlhSaDLldOMOkgJgUGg0ZP6Z8tO5iYH5mf2XoaNyFwPzM/srQ0bgLgQl6pEmBaVJATQrZXxk6GnchMEGzvzJ0NO5CYIbmo76TeVJATwrZXRk62nYRMD2LvzI0ME4KyEmhHKwMDYyTAnJSKP7K0MA4KSAnhXKw9C4wTQqoSaH4K0MDs6SAlhTKwcrQwCwpoCWFcrAyNDBLCmhJoRysDA2MkgJSUigHK0MDk6SAkhTKwcrQwCApICSF2kedzqMig6SAkBSaCpk5j2gMkgJCUuiQxM+cH627GJifHZL4gfGjdRcDE7SpUC78MY85UkBHCvVgU/xo3cXAFO2OxA97H627GJij9Wh6iTFSQEYK9WB6iSFSQEQK9Wh6iRlSQEMKejC9xAQpoCAFPZpeYoAUEJCCHj0VMT8K6EdBj56KGB8F5KPQ+cicZ1XGRwH5KHQ+Ms4lgfFRQD4KnY/4Me+jdRcD07PzET/Je7TuYmB+dj7ihzWP1l0MzFA9mJsPTI8C6lGwo7l5hkcB8SjY0dw8s6OAdhTsaG6e0VFAOgp2NDfP6CggHQU7mptndBSQjoIdzM0zOQooR8EO5uaZGwV0o2BHnSdzo4BuFOyg82RsFJCNgh11noyNArJRvPidZ2RqFFGN4uWg84xMjSKqUbwcdJ6RqVFENYqXg84zMjWKqEbxcjA3H5kaRVSjeDl4bo+MjSKyUbz0rpMPuCKDo4hwFBsDhQs/ln0074JUDKL+pHhkdhTRjmKToHDhR7uP5l0QzNBe0s6ZWY/MjyL6UWwaFC78bPfRvAuCWdo8KFz44e6jeRcE87SJULjw091H8y4IZurRBqXIFCmiIsVwsOQuMkWKqEjxaH9SZIgUEZFi35/Eb0mRGVJEQ4p9exK/JUVGSBEJKTYPcm5JkQlSREGKzYP4LSkyQIoISLEDEr0lRcZHEfkoxoPNc5HpUUQ9io2C+C0pMjuKaEex70vit6TI7CiiHcW+L4nfkpgcRZSj2BzIuyUxOYooRzEeLKOPDI4iwlGMB8voI3OjiG4Uezk755bE2CgiG8V0sFY5MjWKqEYxjd6TPxJExkYR2Sg2BHIW2kTGRhHZKCa/Iuho3IXA9Oxs5Dx7R+ZGEd0oNgVyygyM1l0MzNB+IhItMzAadyEwQ4/gKDI4ighHMflFb0bjLgRmaPKL3ozGXQjMUDnY6BEZHEWEoyh+0ZvRuAuB+Sn+avrI5CiiHEVxi96Mtl0EzE45QM3I5CiiHEVxi96Mtl0ETE05MM3I4CgiHEXxt3lEBkcR4SiKX/RmNO5CYGaKX/RmNO5CYGZmv+jNaMQQyEYx+0VvRuMuBGZm9ovejMZdCEzNPEadfEImMjaKyEYxH1S9Ga27GJie2a96Mxp3ITA/D85DGo27EJifR+chjdZdDMzQxkDuXYDJUUQ5il2OnLsAo6OIdBSLXw50NGIItKNYDqaWIrOjiHYUy8HUUmR4FBGPYjmYWooMjyLiUSwHU0uR6VFEPYrFn1qKDI8i4lEs/tRSZHYU0Y5iOZhaisyOItpRLP7UUmR0FJGOYjmYWoqMjiLSUawHU0sMjiLCUaxHU0vMjSK6UaxHU0uMjSKyUaxHU0tMjSKqUaxHU0tMjSKqUaxHU0sMjSKiUWwCFC4XPqUemRpFVKNYj9Z9RsZGEdko1t53OiFYfqIbxaZAt7JlNATLT3Sj2BhIeDGQyOAoIhzFxkBqfEtYZHIUUY6ijmkljhSR2VFEO4p97xE/rHC07mJgkjYJCpeLM/XI9CiiHkU9fDhiehRRj6L2PA3O9CXjo4h8FNWvCToadyEwTVWPBjxMjyLqUdSDwrWjdRcDE7VhULgEZxqVAVJEQIp995GzEzMyQYooSNEONsNHJkgRBSna0TM8E6SIghS7IDnjFSZIEQUpdkFyxiuMkCISUuyE5IxXmCFFNKRo/pEJo3EXAlO0F7bj4xVmSBENKZq/Gz4yQopISKnvPOLjlcQMKaEhpYu/8DMxQkpISKkTEh+vJEZICQkpdUKi45XEBCmhIKXLQZmGxAQpoSClLkh8vJKYICUUpNQL2/HxSmKAlBCQUi9sx8crifFRQj5KfecRH68kxkcJ+SgNPgpcbRLjo4R8lMLoPLnaJOZHCf0o9dp2id9eE+OjhHyUBh8FLj+J8VFCPkrBP3FmNO5CYJI2CqqZbzFOTI8S6lHqe5A00rFTYnyUkI9SOJhnSoyPEvJRahiUNNFRYGJ+lNCPUtOgcAl8cjsxQUooSCmMTOXzK4kZUkJDStE/PmE0YghEpNSPRfI+EMZICRkp9QJ33nfLHCmhI6XY55sCf9JIjJISUlLqlOT+MSxR0ZJSPExUpkkJNSnFMRzlA/TEPCmhJ6WmQ0H4uDgxUEoISin2E2j0nzn8Swy7ZSZKCUUpRTuMwRIVSSml0aXyB4XEUCkhKqUGRM4ms8RIKSEppU5Kl8ifExJDpYSolBoR5cz3siemSglVKaX+5BT5AD0xVkrISqkZUbhE527HXCmhK6WmRCU71wyDpYSwlBoT1cJrxyQmSwllKTUnqoXWwB6tuxiYqg2KauHTBInZUkJbSk2KSnauf4ZLCXEpNSoK6fLPnP5VCl4yTJcS6lJqWFRuJdL355iO1l0MzNTGReWWqTQGy1QUpiR9fb0XgyUqElNqYlSy870wZEqITKkjU7rQ2kKJKVNCZUoNjUrmc0CJOVNCZ0pNjcrtqZi+D5anCE2psVEp3t/C8hSlKTU3KoXXWkqMmhJSU2pwVEp0YrA8RWtKTY5KSU4MlqeITSn3PBX+vTBrSmhNqcFRUOPXLbOmhNaUmhy5/QfDpoTYlBod+TFYnqI2pdxX40XnCYRxU0JuSv0MpUt0nh6YNyX0ptT0KJnwmz8Dp4TglMrRcrzExCmhOKXmR7U6j1OMnBKSUyrj5u+M2xk6JUSnVPo4NTrjdsZOCdkp9T1LymtpJeZOCd0pNUYKxitkJyZPCeUpNUjKent+0N3zA6OnhPSU+rYl5bWBErOnhPaUGiUV5RONielTQn1KpT9PRef5gflTQn9KtQ9TozNuZwSVkKBS7WufojPWZQiVEKFS7bmanIEqY6iEDJVqz9XkDDIZRCWEqNQhqvLacYlJVEKJSrUPVBMv/JaYRSW0qDQsKjmdIrOohBaVau9Zk9MpMoxKiFGp6tGwimlUQo1KzZaKcgdKjKMSclRquFTM6RSZRyX0qNRwqSgv/ZaYRyX0qDQ8KjkdK/OohB6VGi65j5nMoxJ6VGq2VG7n6LDOiHFUQo5KOnLV6eCZRyX0qDQ8Kjm9EfOohB6VdOSq0xsxkUooUkn7KCA5vREjqYQklfpRSxdxOgFmUglNKg2TEucJj5lUQpNKfVNTcEZ5zKQSmlSynq7iPDYzlUqoUqkZkzcZwVQqoUqlZkze3ZepVEKVStaTVZw+kblUQpdK1pNVnD6RyVRCmUq9Kt5FnD6A2VRCm0p9f5Mzn8lwKiFOJRup6ly+zKcS+pRcDuZVhfmUoE9J46bqTBIJEypBoZLLwfJ8YUIlKFRy6UMA4R2RMKQSRCq59Mkq4R2RMKYSZCq5jFTlHZEwqBKEKulQZberriaMQPJU0KmkqZM31hQGVYJQJR2qnDGvMKkSlCoZUsUPSx/NuyCYp0OqMh/gCZMqQamSsdOJH9g7mndBMFUHVfFDEkfzLggm69jp5BwqJQyrBLFKQk9W51QpYVolqFXSD2O6OMfUCOMqQa6S0PvV7Fx7DKwEwUpC71ezc+0xsRIUKxlilZ1rj4mVoFjJECvnbBZhYiUoVtLFil/ADKwEwUoOy+YJAytBsJIYj55HhImVoFjJEKviXHxMrATFSmLP1uJcfIysBMlKYs/W4lx8zKwEzUqGWRXn4mNmJWhW0s3qUpyLj6GVIFpJ7NlanIuPqZWgWkkjKO8ZTZhaCaqVNIHyWEMYWgmilaQ+DuBrBoWplaBayVCr4nQkTK0E1UoaQXnzRcLUSlCtZKhVcTojplaCaiVDrYrTGTG1ElQr6WX0Ci+hLEytBNVKUk9W5zALYWwlyFYy2MrLEZaryFbS2crNEZaryFYifSjgnKohzK0E3UrkQFiFsZUgW4n0XHXqwAtzK0G3Euldq1MIXhhcCcKV9K1RF75qRRhcCcKV9L1RTnF9YXAlCFfSy+oFPtkrDK4E4UpkpKrTOTO5EpQr6aX1Lk5Ze2F0JUhXMuiKF7UTRleCdCV55KrTwTO7ErQryQcr/YXRlSBdyTipideLFUZXgnQlfZ9ULKxOoDC5EpQr6XJ1ccr8C6MrQbqS5lBS642cL4ohWKKiXEnuIwCnOr4wuhKkKxl05VSKFkZXgnQlg66cEs3C6EqQrqQ5lNeZMbkSlCtpDOV9uQyuBOFKSn+6csorC5MrQbmSplDen8LcStCtpLsVPy19tO5iYKKWnqhOjWZhbiXoVtL3SwVn6M3cStCtpCmUV/ZaGFwJwpWUnqhOpWdhciUoV9IYKganN2RyJShXMuTKKRctTK4E5UqGXKnTtzO5EpQrGXLlFIwWJleCciVDrpzqq8LkSlCupB6ULBXmVoJuJUcbqISxlSBbSd9A5UwDMrQSRCsZaOUUcBWGVoJoJfWgsoQwshIkK6kHlSWEiZWgWEnjJ282koGVIFiJHuzbF+ZVgl4lerBvXxhXCXKVNHpydoMIwypBrBL1q54IoypBqhL1y5YKgypBqBI92JEijKkEmUrU33kqzKgEjUqaNzlr9oUJlaBQSdMmZ3+PMJ8S9ClRv56uMJwSxCkZOOVULRWGU4I4JXb0+MRsStCmZNiUU/lUmE0J2pQc2ZQwmxK0KbEjSRWGU4I4Jdb3n/LTEYXZlKBNybApp4qrMJsStCkZNuWUcRVmU4I2Jd2m+MwloylBmpKFpriiCqMpQZrKl0NFzQynMuJUvvQbvVMMNjOdyqhT+TJSlY9bMvOpjD6Vh085tUMz86mMPpWbNcntcDGyBDEznsrIU3nwlFOANDOeyshTuWmTc+Fl5lMZfSqPQnxOkmQGVBmBKl/0OElIumYUqjyEyimnmplQZRSq3A9ycvqAzIAqI1DlfpQTvfIy06mMOpWbNMXovQuWqYhTue+jKkrdITObymhTORwmKqOpjDSVB00ZX7GTGU1lpKk8aMqpGZkZTWWkqdz3UrnfLctUlKkc/F41M5bKyFJ5lOLzvheWpahSudfi8/KDuVRGl8oNmdzvlrlURpfKw6W875a5VEaXyr0in3p/DEtUZKncWSo45UAzY6mMLJX7Tir+BJYZSmVEqdxRKjjlQDNDqYwolXthPvcDYXmKJpV7ZT7lyzkyI6mMJJV7aT7lJ/lmRlKrF0eMXpvP+GRyZiSVkaRy6v0pXzaYGUllJKncj3QyPouTmUgtL/6///zH8+tf1/fP69P/8/p0/fc//uP//J9/xKeP739c36/Pt1f+ur5/PL+9/uOf//2P3577/3I7Z7f96n/8x3//I13k8o//+O//+ec/2pG6//Hf//M//1x+eX99+a2t7fY2fvvt9e3p+n8/fvv29vjnbx/X97+u77/9tv4NxcL9N8TbMXzn4n7+/H5dx8mXe5g83maO479Jxg91vFKCjh/i+H+LjFfqJY8fYhk/5NB/0CzLD6NJdfxgcf4w4lgecW6bK5ef8mgMt/Mfx0+Slp/q8i9upXX7T7L8LUGWvybk2Zp1iVIuYf60/I6y/Nmh5OV31Plva1oi17L83mrz/7P7a8vvsBnFltfiJcTlp5rmT7NVZf40X1six7D83hiXdxpvxRPHT2V57baLr/8ky8cdbyPa5aclco6zNYXlpzL+yjg/oagXWdJ4eS/tXLz+U1r+bVs52H+6cdv4KdvyU4nLTzZb57+4DTBPJfLz0zqLpZZ7Goc8P/Bc5pdfl68ta5g/LV95tvmVLx9QKOEyf5qpsXxUochMoXxPl/n/2UyXMFNj+ahCXT6qUGeq1ZnONc9/W5bfpsmWLzXOr7en+P/6UT18eXv/XH9Y6VJXH9Zl/sGXHvpcwIcvL5t+pFpc9Ue5J825UNfNV5liWr+7+AuBPt8fXj8eHj+hM45R7hFr/95OBPz4fH94/Hz88f7x9r4OF9ZvMMu5jncb7vrX9fXzY/PxXWTdnZez38Q66tv3218OYfMm7Mm//fHx+v3z+vT78/XlaRvP6vpbPpswj4/Xj48/rz+3F21e38KCpV8J9vn253XzJZe0Thuz2an229KJsH++vv39cn36uk3HWx2w+19cll4k6nJza8ePj85wuWG1gmCnfuvTU//ufn95+LpJsmSrJCvjrylLf6rLrcJk6Swu8453mZ1PmPeRW3XHk2/o+v7+9v7y8OX6sv187+9nuf8s/XeYXcjs7GZfl5b7ocyec94hZ+8275Q6b3bL+14+73lnknkDW77iecNbxgFx3u6W+21abu63mhTjLjVvPsvXtwRMS8C0BExLwLQElCWgLAFl+UtluTPIcjuQJWtkufXIkjO3yaH+Q1jGWvPmoHNco/MT0vnd2rw9WVz+haVzw8uHp6c/rz8fXj7bN7q+vledeD154Tw9vTx/fF5fr9teUnSVwHX8cWVJ0lLGX1SXYUhdxmmqcyS4JLkuaXVZhiUhzAHZ7WzJkXRhSZJY7gMeO/tn/OeP6/vPb29Pz78/b/+WaKvO2cLpz+X9+rHpPdM6TpipGNIcBaTlSSGkOWxNy8cQ0hzNpHkR3bbiLT/dX5uRdf6LJYXDbafL+Mlm6xys3nYGLD8tn/ptLWn/NOeV3rbNnvwYPj4fvm6yLNRVn1ouczR79l7/9PT59vb9+v7Q7ne37Nt8ymn9KYeZMbfy9f2nnE5/hZ9vH9fP/rve3uFWqJtb4dmQ3543962w7ljz8tXo6Xf418Pr4/Xx5cfH5/X983l7Nceg64HP2U+3hZyf7z5oXQc9OQb9+vX9+vXhcxspr96eLmmgZ8cBS0gy7NG6/m5KOPdMsUR8fnslo766/p7sZPJjRDZEC2k9RNOTX/zL17f3588/vm0GVOsPNGg8+d28PD98XLfvKa0HPfNWGZOc/CRfNmMHTeu5ilxOB/nj7WM7TG77HO8TK+n0p/Xy9vfT88efPz62GWiraPfbaLk/at8fsC/zgXgZ5UULJ1P19uuvT7/t/pwS1o+tVvR8uO8P75/PDy/v148fL9ugtr7zRjub/C+f1/dXuELtsg5V09n310M9/3XF2Sa9XDad5smAr9shedmkk50c2b7+/PLj5c+/358/753bJrdWOX/2Hv/68/Hl+fr6OSN/e3vajpu12rorkpMDtNefbRi+HZutP7toJ3Pv+/eX58fdH1s2PeRFTz7Ffv/+8nNzr9V1AqezY63v33HgWTaPWfMJJqb5SCBn77DvX54/r+/QbcRNt1FO/rnvj388f14fP3+8b9/serYpXvRkP/v+/vDz+nJtL26uiU06x5Of4S3a788v+KfeivnevxGZ4z+Zo74sS+9W53i5zucsWx4Z29EG4yc9eZ3e3tMyWNr+iZvJoXTyA/v4+fr49Pzx/e0DZ5tarbrVFxpPdnL3iNtwsvpC8zKinlN8dZn4rMvji+ryCDwn/y5zmB4uy1A7LM+WIS7PizEuD/Ot/N3pd33LafxYg9T1256TBLa87TnbvjxILfPvt711890uk5ZxeaKMsZy81n58/rHpomQ9lkl5TlXayW/8x+cfT182d+j1fNOccV0mHmLI82Ndnp/jnCSJcz421uUzifU+gzOn4O+zq7o8lka9zyHMaXST+7zC8m9t6arSZU5sh8ucHl9SqB2JPn6ak+dzdiPNWY0Uy2xdur40rt1TH9+36+MfD6/PH5uBYZJ1pxDvD8yzKxiPgr/2K76/3y72z+ft4LFsppct37vyk73uj88/3t6f/+v69Pj28nJ93I2YbX3TSeFsbzLDPj18PnzBIa/pukMJ+fzH8fH24/1xO4uy7pxi1PtlcPIR7Mfn2/X18f3nd7xt17KeJpaZwXL+/a4iX//9+f5AHkmyrJ+g9STJbGO/vH39en1/uf61HQ6ldZcV4pzuiGefTje/hL339Z0+VD05Svrx+dYCbGeobfNFVj3ZX//18PyCd6y0FuEQ68nP9O+H589bvm4n9ded4pxGjWFBrGizA7qcfQi8/aLtzLfE9dOkLGOFIEtPG8bc54ng269oPXMSbMLXuJeeCffbx/XjZu6/7R0gxHXws5Dy98c9q/68/qQXRd5cFCdz4e+PP799fH9/++v56fr++Pb6+/PXH/tnj2yX9btOJ3vK/8KB6WUjKnPK3fLJAdwt4P/+QaxvJhpOXri30Oc+Ctl8FOc+5y8Pj39+fX/7sX1SvB0GsVqGEacG1Hm7Pdkl3+L//fC+1TAL6yeys3NhXx4+HzejJllPAYZ88tmzhdnew1JaX1ihLEO8uTgg5JOZ1YJ/PP8XjJLXU2BlWQmyjCF0edawOXV9mWs5wjKEDqHOtRxzSrrUid91Du3SnIS5v6bThcoc5C04H20Z76ZLmAOwdPb7/Xz8A2cr0vqxIMQ0B8ppPkud7F6/XH9/e7/+8fD69PHHw59ALutberqcu5F/eX59eN88iq9S8eR7eoZ5o7IeVl3m0o2zkwO3eA8vL48v14ftw99aZmMu5+4ZI9rHdfusvJ7bj2NNx7lYt6ma3TvLm2gnU6VH272zsol19mv8/Pv549qf47dPzJu3ls4NF768PW1yIuu6Z9GTE69fPujIKsZVv1+XK1bjvJzTXJC1PEWFuUAp5LMX4sfb6/v16/Xf3zddz+rPOB3m4/r+/PDy/F9MCGT91Qf5hTf38fPbl7fNmHY9t3E6zK6vWV17vxSkTd9vU2eTiWdvoD8e/7zCMqH1ff5yOTeS6nG+Pfz74/vD68f18e0V7pmba05PToH0qDutXt/vYjp7kbRYbazw/PqVvsWyeYvnxk49LN4zrWxGIMuTd7qcfDD58uP336/vt0fhH9tZw7A2lbzMtJS0IPpye7b5iDV79Nt2reVKtblsUM7+mb9/vn18vm0HnmkzeT4WN56I9fzy9Pz6+9sWRFeh8tnh2Y+XP+mkvqxXNITzF8Mq3G2qYBtyPVY/uwZqCsGm51jfGutU+3BSf/eesUMDSZvp4F/4+0fgXc+5IauzV9wI17Vq8/5k3bXLfBbUs+/05/eHjw9/wiSn9fdfT85D9qjLy389vDw/7bloPZFxn5lcHsHDfUHu5T5UXYavc4422pyjNJ0P7XPZUkzzQSWfzIn21ttSlofXh5efH8/bh7fNMrl68vJ63PS6ur7hnZ2bfHx4ebk9RG1n8XWVnW2D6rlQr4/Xl5e+OgGf/8M6ZJkrpS/TsC/LBHBKJ+cbHh9e316fH9tQohnubzu9Cpvn7pO89Pjw/fsV5ps209167vJ6fLiNIN+3q2BsM4CsJ3uUW6jdnJ1t1qbWk+szbqE+rq8fzzcH3vLt+o8sJ8cVjw8/Ph5eHt9eP9pis8fNODeuZ8TqfMwXOR8b5lFWOTSXpY0b6h1OlkHuXIE1sW3pxuaCrfmAu0wGTwWIlzl/t9jDMqSeT5wx3xcfjB/qHS+W/mOOLebD7/I8HCc5LQixBExLwDSnRJaAaQkoS0BZAsryl8oyoJHlSV+Wsb8sz/lTHvOyhCIvc4l5Pjzo8uuDzk9Ibc5fzV0fNpfiW5ywcDl5vf3x8AoL0dZzTeW+KeTkZHQP+PH5fn34tg27zp+TW37WwW7w8e3taf4/m9HHenos519/p4/v14fPK42tYRP7ZM++i93C8V+wmek6ud5l/Queri9X781v1m+cXIC9iU2jrsdP+ewdikS9Y9aPH7B5ZTP5e3bIy3/Ht28w/t2ssc8nCY7F/vP6cxt4M7A+uSCOBZ6D16frx+P7824IJ7ZOmvJLF/v4Te9v3xf0o1/yZsq5nNwxsPsNNPI6KcvJqV2M7F9PthmMn3wUWYff70SR9RaPUE5OGK9jPt9mXj75+11fTeXk3plt7DEap19k3vhHySfHT6v4t3/88f3hEfZIrnO9nB3ercIyRrlsku7k3Nw66Pf368Pr0/e3j8/nbw9fgbPXk3VR/39cNO/X359fryuC/+Ph/bZrgH7uawgJ5eSKvO1vu/1zHnv9ndaTGL2N/f3l4dEJvnkcOumZ2+Dtg7l/TvzXrL/renKXxvrXnPol677m7HLvzS/5/vL82XqEbdyNqJ/cdbiO++O7e8EG28Q+m6Y/Xv/cytcmAc/u+epxYMaurmcM4tmVZTPUl5+fgHKb7/4yl9yltAz308lFoX2p6fZRfD0BKmevu+2S1d2ckeqaNU/30v/bQtj14DKWkyvJISpb67+Zjignt3dC3P3ElOr6obecVKsetg9Svz28/iSfwmY5cP31sG+v5LO1zTd2clX8Oir5ADYFBsrZUWmLyefi1muXzt7uINx4dnn4fPjz+nNZSsBurnkDX2fHXfDb4PdsVymsO1s7uTIef8H4if4BdfMH/EqeHK+PKpu1XWe7Nwj8fv37/eH7LcNPfBeblU96dkD5v/3GfcbmsvnMTnIQ/qKPt5vjkL+jbAZsdvY+COE/Xz5o7E06nX2qb7G3D5MlbVYSnX1g7ZHawJ13MJtO9uxj5DYq62PSJuyv9N3frp8PuDKurDdpxctJ0N/GY9+ObsL+0l/PIH39ZdezD20t2hjK8q9os1H97AN5CztW023f5Jqm4q+MUEa0/aNlK/e/mu8/uWBqE5WJ1GX9tSf5pQFLH5vye/X66TrWkyv+1mH597SZ4z9JaOuo7DrarFM9uVOmx+SjNdtsSqkn11g/vry9wpKxNeYu8jJrrMy53rlgNUyoCWNfTVsotkx2x3D2Ros7PNarrPIya52X2e+yTE2XZYa8LIvT6nyzs5zRstHalkVtNovBXGaBmMtSGOl2cMDy09xmHdL8qd73iEw2mEUOZg2kGOaW9hjmTydRsH0cT9vPY709f/nLSpxbR5a/ddZ6mG/4MtfBzeJEIcx6G2NLwbm3xPrazQr3y+lobQP0essAiW1hA1l69vYwYvcom0mW9aWsl7MXCd+svd5rWSeMzKUdYVYBCXOHUshzf1eehafKXKk9vTmU+96ZmZblXmdo7vmvc2336EQaXc2f5saRWiaiLu80pSV5Ujq5YnD1SbxfH6/Pf21ztMhmm93ZnvLtabtc4x5jueqXTfZLas/Lc6bzXOk564nN6lH3D238MMtJ2bxol4th7kmKc5/N8sPSY8Tp/8ty3bj0e3HWx5pVF5b6KmnpZtKyzCDNnUZLwLQETEvAtASUJaAsAWX5S2fJrlk3TZZyKLL0e7OcmCz9WV42keXlL83LX5rnRydz2azMZJ31T0KenppniupcwqzzU9ZZa212v8GW9b5h1pOL5Sz+vj1d0fPzpsLTfFvLR7WUbFm2b51dVnTrnLZTwBvZuBfGObmm/hZvty4lrkfqy4rsOGV6/hKZn63M+5PMQiti929jljebr83Vn3FeGPGe9SXOn+41euYtvOjclDf/RZ0bmWqcwL383jjLoEWdNet0rueYNQWjlmni87dZuPP48i9sbvKzu5lPB7/MDXhh6RbTLF6UZhaksHwaKc7V5jHN6zNPe9e5mOdeF+/khtr5BbOb2WZP7ek55Xl/3ObMev3E8vHo7Fvy8v2kswve778H1/fZenYxhbMzGzMeXqtxPZKpZ+fpjoYJZTOaDmcf0Phmxbh+dtSzM72+FevGimfBwTyXXOdZBijft3zPQj/z2gxlDrTL3KUxNzqHOm+BdfbadfbL9WQhuVsrFG8I6/FdXq4hva8dnytlVuUrzz5x91/3+8PzC44kNtUFzk4HrsPtWCRtWDqdfTDpMTGJ0wZG07162lxSlM6OhPsvePvyfzdps5m7SidrDCyxFqCnQ+pNL3Q6v1vgj9tEHr2JtQNkV4/04ZfyrcVtz7WPb6+P13cMXTehzw4rl9BYsLJsNr1fTlbi3cbbZZdshgbp5Br0JeiPx8fr9Qnf5ubB6mTpGoxI3uh65nIsMDsVFgJttkEtz9XLk264Fwucy7RimHf+sNSXi/dBeJljhflMH2dPF+vcyl/vW/5n1cF554s6iwvqfaHdHHvMvavR5ujdlseJdFn60DTrF6d7AbW5SDDNvyPNd5/ivZTkXLMXZ4GBOEsIyFnrefv27fnzP3+8vf/YLFWz9VLHdDm7trNFc8utrmcOzzpfW7lE6qJuZojz2cWiLdrfz7dCq7va3O1g2lUHcHrk9O37w+fzl+eX5899cZ52/O8q6PkLtgXF6iab8uFycpPMLdit5OD2naV1he8Q557g+xPoWMn6C/F36583c5ohnu4CR7zt8CtvShPNUcAssBJn7ccY7vVB5zZ4WfacpdOw/vb69IxprJtd9vms8I1tzdfrv291l54/36+9PsS3h9eHr7vaP2H9tJbPv93X6+N2MLLZqx/m3E04i2A9JFab0PVHIParsR7/uD7+eZs3I3eNNdUlOXvXgMhvP/bLVWSzbS2dXVKyDf3249MZ9slmOVI6ubF+H9698W/qF5ytVLWK36Z6SdjNeOIsv9/DdngncTcDy5PbXu9x9z1+kbgZp5ydClkifr1VoiVVBVZrD+Y8/hhlzPnsuWF+VmGdRS/uVeHHD/cF63M+ahbtv1fqHz/EudZn+WFuAJqF9ucu9/vkxTJCmIX37zMNc9Z1FglahglzanYJOIvAzsL8sgSUJaAsf+ncgiVzvmuZfpGl6LQsUziybIaYk3d5TjTrnKSeI6egc95v7tUPNjdP2emb5vJdb5+N02ZNRrp/iXMCO80tkHMDRJhVqkKaz9Dp/hA6DwaYFZ/DnDQN5x8elnfMphvW9TTi2YIt95Df3976pnt6eW4+kpNVZzC206NsuvCTRfAgtNur6Cb2r3aCt9ikZykbTzi7UmwT9dvb6/Pn2/vz61fypjc3npPFgrbhKYjVzbv+1WvkFvb9+vD0c/+G1wUlw9kabffIXtTNDfL01E2LSnV/PXmT0tlFIj3gzZbefnx+gxHm5ol9ds5zEjim+UApsyr82f3ltz1qn+8/HqFY33oj7h2Zx51omaefdc5ntZR5tM0s3z0rdU/IW16ZlVVmmZRZtPZeGX25udxn15Y/dT4cz/n2eSDNnLOf1e7CffZ7fj7LnWi5Wy0B0xIwLQHTEjAtAWUJKEtAWf5SWW5tstzaZLn5TrCQpZ/Oy803Lzffsvx2nRyyfLthfvdhHr4T7h91nDuy50ECId3rYM1bQ56HCM1fGiach3lWQ9A5IWvzX9gytR5sTs3eqwuG5f9LMovbyKwaKLNC4NxR1w6cO5mln7fFWW+vvz9gquZ1gd2gpx/nWkQsbFE3JVtSmg9spyc0ofJBLKsB4pyzsbPLc27hlle3M/V5ffjB2fVTm3AUE9Z397PliFpYOFDhsp7AS+n009gPugjNNmXHh+f/79HaDdtBpLq6UenZWRUISN/pZhnW2Qmv9Urh7f109SRw8ktuscYazvUak02erw8ZOpmL992S25nQdajF7PXssrZ70O1GhLi+j9aT9T430diXkzdFo84uJ25Rv2+KAdS6KStwdqjaIn1cW6nm3Qe5tqazhep2EeFTXE/N6clCJy1mX1C+XWewKSXyC9/w063rfniBUc3mwXkuhJhF2KLcnxrPLr28Zfxt79H16eX5y/eHbbnfLJu3f7J02Tbm+/U/fzy/b6kib4qCnN689vH7y63CoLfCelNq/2S91Mcf7+9tCTNklmzWtJ++5+5OlcibyaoyiWGO8mKcB/aVs0+G7bf8djtRarsRKa8/1bP1fvjxVHVT+TCc3eLeYrk7ImvYHGl59qmvBV3G+bD4K62viTAnXUI8uXp/V3p1Mzl1dnJx2Xu8W7qwPgdH5/AvnRwk8DrGtllecXIJPLlP5rI5TOTk/DdU717H0HCflZ6PLnPKrZT70oN5sNWsiJPnwrd8csHI05fdp70eRiyLe8t8J8sCsxiWhW/xXhBdJgiWuYKvTI+YCyNivS/im09cOqt46H0h0/KXRZtPnzaLcducCjS7E+Lkwvts4Jz8C3dgnEua4jzqLM5ajvOstHQ/Gk1OroN9+kKv2fXsRDx5zT59eb/+vkm2lYKcjPDx+UAH3OGypvMUT96in66Pz98eXsLtFOTVXWM1Vjwb5nZ72w5s1o8rJ6P8/gBL/Otm4+B48jsb6LeXh9evP+AULls/R6XLcsdJl5ObEkdsOsMSLuvhcJKTc21LyDsss+0z69tEvR/jd1Kan2772nfaFy7rDQ8pnjzJ5LZ58nYG1Xb4Ujc958mTF/s+zM3Na73Cz+bkzlkmHKVSds/P6wrsc9/CPLQwlnmKYplrKfTkcKn/SnzgWq/PO9nVzA20my9+Xe7xbGX3g724shkQyUlqm7twt29tvYByekc+uQnf39krmwGMnFx3N+KRx7W02bFwch2Yt0XYNvU39eyYahUNdnJvTm2rZ7u4W7jb3WCn65Y2RTDOjtau36+vT7cSYziCCOsLMp3cE/d0/f5+fbxXZ9zePutm1dPp28MsbbvJlfWXG+Rkyben54fH9+fP50enWNvmOzlZWOHp+enH99uuz+2C5U219LO59/x+ffx01iesC6dHmXUWzy7peXr+ePj25fnrj1sPfnu4hZMkNvU0zg5tnj8+n1+3qzPi2hvObhNaArGreP18HPXkGoT5wiZlyiZlJnbOGehxFt7p6Fgman1Nh3yv+D63HJVZLb7O3Tb15LENT9ANp80qh8vZm/jbDzzMfNWZnwvx/vzXdrq2bK7sy8mFET0OLpkvm1oUl7nOYJ4MGydJRzm5d/xWV2o7O3hZ38HG92Qnn+xv0ZxZ4XXZDz057bQNR6+AuLkCTn7Rqzpg2/e4FoWz9+xVMPoO132Tnr2ZLdW+tl/N6iKtJ0F1RsJJ4HVunzxDcBWL/aV1s4T07DDq/e27O227+nv15HrqW7zPh/ev2xrmtl6YmMJJk38ix5KkzaE16T5ZI/cFInND1cnl6svv2T47yaaW0UTUMBf2hHSyT74+bA8aqRuLmkt1Yj55v7y+sGU34f/r7MuWW8e1LP+lnvuBADj2r3RUnKBl2mZaIpUk5eFG1L9XgBIW9gbhzOV+O5H3eouiMOxhDYVTgyly+OGdEC+pFUqrxJcqMt0dLqNGVcqhBCiycINDhdOEjhTorJAc7cB7jib36BUZQJbQKzLotlgL7EBFroNh8m5RWglYynhYmCM7R04x7iFv20ubV6+WKvyAR5Vg4dTRVAoyqyDBWRN7ZTDqtCgWy0j/w9/WEVIQu2YN+mJA8bYoQ0Gyt220tQJ4AbaLtgO5tSjQwQj4VwcSvjPoIMKnwgE54QDic6AxOsjwOsjvOtsADRLn8eTZ/pgfqg0pJ3K/ijI8v4zDWfsWVEoBtRVoELxeDBNacuCbfNylV0lD5ZQ2HykFHmJ+7ejvQ04v7ycynj6PJAwQbFPf4AmLG3wQB4K2I73nfWWYnH5ybulKsjkzeOHGMRHDK1XfCG3wNrR+DbiupiOzlGF6zom7yJF6Q3J2Yqi8BouiLJDTpWF682Luz3NygrfKeLqin/BDp+AKWEmqqQ/Tx7jMU1op1QpJ2bE309/qW6kBV0WOe4e/b8mk10qkYQNosouY2gaDXlK3bVi0bYRY04hf4fSwZPt5WA61TCVb/bAlCwhjqAeEk77CqAjCBAaqA6bCN66gkO7I+npYlsv6qn9icW4Ee6OQ06FeBf4LnHrcmpEpDzszaJkD+IyxPNgssLANxxI49UGXBcwv3D/RVBRUMFxIkToWBkAhoAsBHahkuNDg+xwCAnFWhoDID8owqirxy4XkqAyYOSgIAB0HFnkVHqyCMV0ZVSIgxwEon8Ffmgoj3DZK6uPltlgZHdDaHURQOmDPLAkiPdK8pCRUjcVR4wU7qAeUpNDd/hk/SF83EktrLZv2+4j6lnKSZ2RYjPke6Nw/Dfr4kfzZkFNDyAk6TpG5GfZL+EWiex6Gr/hRMfqFXQegkFFhKOx0YHTDnkJuWWMgC1om0sSwBaBpgGzR4beD8EHYSiGgCwFdCIi2I9x4AbPBoi7DvivDyVCGk6EMixfrvgonQxW+aYWjD7ZOpsWrakHu7yCm0kHHp4P0jCUhjfuvvgzr1Tuo6Yao+N0x4oCATNjc5IB+2GWrtwEuB0egp5zPNOyVkw2bbdDIplrL5poe7u7rzW1YPsftbZ876ERIATBKEme3x/V/lXgtFXKrAdAcKtqwGJtwxjVhvt+F+wrE5C5uTVCXonUJrmBjUb5ZFGgVmx3vnIufDjOpsm8rcpQwfA2nWzIXVZ5WUYgJ5CpTkTzm4WtckxmU5ETYipx7Dl/XcRn6l21Ycn5yVo3JcAAVMHcqSLTj/XPWMWesVzslTxrJaKRiuies9qNuEsjm2ePd1gF9UocN31b4R7DICZcvblyDu9IiS7IxBbJoAETLGxeCWIiX2Tqe67CVbyCXBXy/bcGuayOFAZlXh0/roCDQgSNXhDaeK8CkM9FPtsS/IK8Fvp+zDo2CCrdLg+slfCNXko3Ix2/iWzlH7KCV7Fx2+PqIeArKHkdAj5x6WUcS7h9hs/EaFe9XX/xjWJ7mddzUSMlVcqFb3ESWtPNKY5/H1JBXuUqSQ6TA99Z1mpypkBqavi2iTyRVNNJfcltyUraV8j1tSBKB50InVuNlobrUYJyXpJjAy3hOwC7iwToyVfFB0iG9UwRqNAWtI1UUfMxEwN+ogOQr82H+6E55o+a2jpzUHc2BrcSCdRg7FFGtEGBK1GUGGacpkTqW0FKBSp+NQMiotAI5UNtAegEKUc6QZ8/9i0BNKDGtVaMJsrslIybIilYhlFnM1Muoe4lWNkIaWMBFp068aAuqeEXSmP1n5U71Vv62XA3pQ6WIJLnWGvK+ecTpp+cjGs3Kzg2L9U8DZhkk8ofqyMwtBn5IYutHlQPE373DGDH7rHI81ZHIvhj5rt+sH1WhQ3/75R8y07knlePnjgSv7IFzu6lslI0YyYS9h8tUXsoCmuzFHPgMneyCWtba9eXcb5u2DG0VjK1qyB9hXvSqq2slMoceQkmqm+wBDx71Xj1a1pPsWeuDrcPyMSzz019+bJvMSGSt8DjRLUDp0DqwUIFwBVmAv8xLOnc2spCoQlZdh1S/DTdTB3GiIgpqox0YW0Fspvey9K9pH7/Svr3sHbzMF+/8ep01ps0UnVK0Z/OpZc4RYJzEsxnMkQ2sPY1js6tlvqzLxzKc5iUZV3VqXMVuPh9v87IHuj6U71LIm6InDV0Qx87CX9bvSdkNO2U0GJvbLGjh5aZFdzt5jzlWX8ZHyQHoKpUG16E6NHUk5aPH0kSdTRIjIT/1afA76+hhWsoy0FTI7VArmwZglYaECr6e1Ji3Vv53Uey+I+XnX0/XaIDyPnzn6pJGGfaQfIHX0/X9sgbvmaC9lRH/Udw/cpqYFxKqVbpSkCDgPdZ4Ou/exTqZb5RvR0WWF6+Dnx7v7aa0gaXCkci412G+DNvyrSNJwtTDKoGJNKVXWCuHJlETidzAr8PsO626NdWqtkJVs6FSfGqjKvRfBHn67s9bWnvKLIlMI+7REskAEYX+Ypf+KyyvpIcsHqoKJV0dBhF1ODCa0BVrAH0KVV8XWqydkMqHYC/moKbCqAczmjiAqeitsl3mJZfTOkULNvwLRsmpzk1JfzIV2Zh6Hbal/8xNR0oJ+DQlezQO2x0pPzx7lJYOqKgfZM7zOmxS+fYwwSwVyKQkYUAh6h4ufUwFIWdvGBnwSFGSFYIpyTpLxdTlS6mYEeyhuPTT7dwvSf+xU4ImrIPa6zI+v6xPN28upgpAiVDt2O0ugmU0UyWo3zr2mBUxc31cxRxyJLlEBvVyUUevdCeVqTuyxsiHzXafZY3IZs//GN7fRcvwMR6Aawqx6UhlOPlR++LNvSG5YwuynfFD4Owvq94R2Xq7x99tT3WLU70FsvS9Bzu0hK1yTsVc0pGCRK/LfFN5rJGldF0gEWFvpnXtr+Opn+ZpPHn21X6nfPTnm35sdcJawKcsifd61Ug4JbBekaYmr7rL1Cqxn4pUXnrr1/71dfEEV68AemhVmqJSo25yUuLD3ra3xwgqQRFWysmN5G6/9evOxBh6X6Heux5JXJlTOZYa9+Y1GxK8p5XnVUOuRB8IWBqV6okfN47uQ46F4TyWUGQdPP4RC07IJwAMFdGAj4WOrg5aPkBEwRwF4gchQYxw9qhZAIXziJ9+/AMDUEgOYBAaAkJbz0HeIQQsQ8AyBAQlrQy9oTJkmTCwwTyjDKghIBWhG1FhEt1GTB7eUAsJ2DhNwZTYdKQex1u/6rZXIcEEjr2I3/r1fZo/p/w6VrYIZLP8rV99aSAcSk4ZY46iUpR9knfziL0HGX6Iq5DBpPHAW79Ow5dutsnEqwrLAIIcdYd+Yqhbgpat104L/4LGouAukF3At371P8p4GhJTFtUfcdAUhDivcSQe+q1ft+FruxOjkreo+nZk28rHGy+7UHbSVFbnIZlgv/Xro7bIHt2qE0qmWiFkLmcvVc7O5VNvQ79sT0O/vXhhKU/i1uSqplb5CTAhALI6+LK7Mh5mpPrN2/Csm3OuVSsDhlJRyNmF8tk50rZz/5AsBF/e8o5Ndt+G81mzTZXlgiET2bfx+VmPVTp158Z5SEGq7r0l9AgrE+wGHpygSUCn2pSAhEGy2pQtrkwwuirMG6LUhcFNaAPSydZoZ0SFrghogmmSbYBRbQBFaqKBiAM8CTjVDjONDrpCHaBNXbigHG51B9SrA9rVWZJ44ycYesWU6oIKX8lB19uxfREfun9+9oQe3S2ViIeYwhdxuwF3XpJsVP9RiYiC3NOlsEbkDslkNCbbnlghWAJww2zDHKuDR1OBtQjXClPAodNARLeAyV2E+jvYwUTFYbY7M2asSaXtmDMk9mV8vh6458pZoovfgUQAjM/XeyKT65nVTg0WSKxs0glWpq4VqQI0Tqfz7fmhQpKzEu/Uyu1AGQMx1PKPe1p2aRIhazTdLk8Jpkfmig1ZKh5+ditZyh16tCUSkQrK0pAMto5MI/fP+AHc2yln74LUb0gj7nY4WjujU/Q6lsSVBj6YECrH8IKEx9yj7oIkh69fqnhcuvBImjUeREqWFuQBtsc5YJmtNBZgoX773/rXtVyO1qKy3m9CWckO69LIWdSKeo1kBrP/8T3aQ0AsgV8r12eSRLP/8XodTuPLeDq8iU6xHQvy/h2nl2EZn1OF7FY14B7+jUywxFfTqBOfPUES6rxM/moQq2oS8bMrq+3CRJ7TtAzPT7fzeyI0IudRbcHulBD3Nv1D5EJGZldlqlPklIxS5PKhWWIq9jqd7pOdzHwjfkLUjwAwvoZzS0GqfYRP0qlMqxgXqI+dIfVqY1RdmYnlCjoeKE6uIPO4e/SjyJtEXJKk+BgqI1ImQSquIPmw94gHlTc53yUxHIiU0XZTE0NSGw/xslIsrfqu7KZ9RMy9PFnDsbXgPWBW4U1psJKsl3Hy53CKu1ICFuRQZJw2Z9UDiQODjTC8DsvhCFdjj4r+YtuwLLfrNk63ndEzZQyES8nVN6y6yjj96M6oMArkVt0DfSREt1b19Rrysl6TDd8qUHzFfr/11F+vSWteTuBZPOi49yw9ny/pWrYKdsluznWHOaX6OMrAhpTUGuVMI4nXqnjsG3seFz3JNoU6L9ge27iO14862Y6l2o7sV5zf9YEowXQlCeoZ10dGoC/xSl3ikbSPSohst43rdZymZKVJMYgmWrDV5CGy+qlyf3D9VHw7x5Y6624leFgkrermkz23cV1viY6dVVBhNtNdd9khDRaVgTBDMizFbNwbxZmX1qmXxv0CyhzbSQyvcQGg5iqSsfXXnHQklDhdReYwf823ZepVguCUeKKLGn8gHFakiuZfqx/6vA0X1eNorXpQErKU6sQrbE0b52fgYEIP1xWkbMr7kEPXVbWymyCn9jGWBpxWSiwJKgWs/N/78K3XdyUtJk0L1G8LFyxHKkK8D9+ewe4VXvUH1OqJoQRAcpveh4OgbaUO3BZz5pYciL0P3+ntVDXqKUm6godAzi/9Ma1SuAWSo38PNm9vuTxNNQtJvd334fvDtxVO53FI4N9WsQmiEAnJAQuRs3JQSp6a1UEMEfcFf02IUZVq5jZx/k0WtD740VC7UhrVLaQnWNXw9/GcqN8ZeelUAUFQhwIcPgod+poFREUKKH5FQ1ZLdoXfL2MCfJf7AwYNpiMzJR/v35Hv6vwkYZ4+Mgd9b9Q3IBd8jJxIIndq/eDQtPHU537znCFBq/w5a7KmC5H+zH7IMGr/l65WfV5kagW5889+Hu9H03cSlZo6yaG/NeSsyQe8k/b8XD5Bi6hMhqw49oBrEkm1PFjksI+0z+JTjqIpnBoTkiBV74xw/rOdrn/W2aMQ/2S9bxWbguwGPiKf13+MrCaPJDbtPEyv2uPKqfK7gPWvwbQZTpqmiuaGZHFxTsDA6m08otYBsWLhQm2jxXQNfZ8aEmgtvD07iIvhqLQdJtLQNnU2CHE5S4Kjvb+uTlaVX5BlN9j4dJmn13k/IzN3i+RUksnjeUzlYOV2qAPEDHabFgJuNmrfNHUc1kchUnJ5jp4BM/4nrVWcPN+MJTsdCXJLLRdZUrEOTSkS7ADrdEr3vmBXsg6ba06qitSQGZKPmzW6MnLiWJE8RhUt+4xKL5qEL6uomSZqq5qoZKMskHkOwwOj9dcCjyegRiDd24RCtoHhfRjZdUigoB1WQIPNoLIwUVslCvRAl5d1vcuzkuSkD6TFOsBC6jC6BqSmgdJcyOq6MJnpokgjDuVonGzg9G5DkWct7A0qwy/v3LhWYr3Z0aLES2Z2n7pvyGGgCJkdCyiTTrIz6mP+gw2mtLQgB7WHiMev3yg0h/3Fr6MCZ53KJDHSkqZn57l/furPu0itxqJKZbawT+ogAtIEEGEbeMBdLFAgdVlg4ZrAmLYFcGAFNK4BALcg21kLpewSGLISZlgsi+M8n5ImQ6fafRhOsloXe0CdghfKaJjsgexxmAKnluFNR+Js9/Cex7O+zefnBCJaKf0nFJEAnrv4nkuSS+w/71CaNaoDxd41szbibBX2jZwFnOdXD7WZJ08dG7zjyDYO6729kds6yn+ElTQ8z6+vupdcKYk61n3iPL96us1DezrYzY3TbRsSrKGSe4Y6aBFuDgvtXmuiaz1wdw6iySXZVT3PuvclVZnIAPN7QlGSKI4az2vJBs15TZDpyoquEoLLkNYFSKwCQraCjG6NeqdGQxOq/gYVh6kxYGnCaWSQf5gGiHici6YB9rYh5zznhBeleO4kBumc8qIUxZ08PC79X3NKCnW1EqUjr+1ETt/IargKZVodVF2h6N9BXLcIqAsTBapjbWhJKdbL3uVI+/pKZq/Fj9nCLqIlu2oHlw8jV2UNVtKDNc7Fy6FqxIpAqw5S1RY5pW0AEbbkcGb/SN9X7qfnD0/407AGJWhUkanFpU+gm2Lnd7EVH2DGtgHivIsSlTi9CrJfdOm/+s9+3G079b1nJaSiixYngNDXKBEa5M8Qc7YGrzeKN9fRsMMAHkQKwVz6r6d1nu6NtzWxuquVVSDEpp3j3/1j7H94Db6BrCb/7CL/CgAOfSnUCp2ODWtdi7SN5Mxf+q/ncd18Lqrhgwp7UrNHz9dPdj7KF7akN+XX+Hweju+zblQjDvxCByoFy8e/9F/JGaWckrga5NJ/XYZ17V8Hv6aevtMkQtnsGhAcHTl7uvRf13k+H9arslEsMBp1EK9lsf6X/msdcp0yU9SKgEUCQH28rT8P07CuGVVhJ3kEBuLp1oUpi4uKTC4mVfyiyZxDsl4I9M1QRtWhImmDTCVanAYFkzEQQo/GCzUcE2CbbU08x+CRY3HgwlHBIvmxNYqyBhdLA6psi7sMt6Rt4/+KHxukJduhpdtB27iLlg7AIhSYIpsoYA/XARP/19jSxd9CU9nZGv8rbMJLEo906b8++mVMm5qdEu5kvWQu/dfnuAy5hq/swFkTja+gwF+SyF7/GX6c8eTv7sOGlCrt1kCZ2ZF963R2I5GhzpFKQpddzmtcldxDbVVBG7p5piPxQAh63YVRfWGnwyuZcFzuHVk6XobLvHz/uTzpH02d8WSD6TIsegBYa1lCNqO5H+eqYFXAFhtZnjEzITUQctSgWjZgLVTcbYHBigsoMwt7QFuCV8qSgf1n77Zbar855StJducvGqFk5epHambayDzEhijCAeUKsnF9Gad/Z+EqIWQIFJQCK0O+o3FKcwIlEsUGyV/aqqEQHYagkFySU9/LOC3zbXredjrSYe6r4Jz8W/7hBHWyW2NcNFAJ1C/n4HtXkhPXy6yJBeqOrkg0hAfA6weV6RvrKXWZn8eXMVf+iVoezQXIRtgaOhZoRzjLZnX+MzPcgkZZWhs2j/UDzz/3btufjHyTapga0k91D9pfx4Pgl6y12epoj/W5HmPJDheZNuyx/nNbhkM09fOTaI893H6jL8PdGiT4quu+jjwDyFx0j3w7v0c9Ar1YxSZlV6ofbO+CnXfxpeNzSuAUe5TvUQ9INKeQaIZNwGMwfPX7UOb4rKoQYHf8MfwxsNJ5ILOQXOCfl4N8NfWvHz2zRRWMkOWZi5C5JrtqIjmyKXqP6Wmz2/g0nsft+/jtFebvN+93GZ6HyfPudAZpFCOcva+SiDnIjlrC3W8Oqx0+sp8y75d1zzkeuC3V0VTbrSU5yjH+aRn6HR3Vvw/H11ypddyybaMkOvxWI5Yi80kKYktC3uMnPT99X/t1Xa/9px5IKeJjQ3pwiLh7xH7RMu2VcmtiKc1p1GuvYVmVU16ppOejiHpbRh2vVt/9t+808yOpxfzrBxynu3Hz8rr/PzLx1S5kM13Ej/tkGrbPeXl/DNYyH6SKMhJ1f/+g+03y9dbf1m14Pp5MamX85pXvgXfW3CFopyC7v1jDz09xz2XR06ZQbvIViSl8BM/PXHVVJOvKkjRpjOF9f/jxvx5xjI3qQJakoVsMnm7ARoF1S3bShHg5Mk+jmjLl7368n34yib2qSALrPaTXuQoW1cdlJitYtve8h13Gj+GYXnWqY/GLX+cYSfVPf7Fd8xKFTrGUYUlrLInuv4fejeuCf/TxkRW+4BeVgFeWPwTTg+FfBIuSpsegCpr+i0z9HvSH/F+eJ/Y3GcO/3Q6dchz8Rc73PixPwzIfSz+5j/hSfXqdPQxkN7ALh59eXAoSGwXE2ZGY/4TLuK7j9CqSy6NvryzUWUs3Gfx5uHop0Ol0TPxMIXu/vzm1HzdvJqIScvvFPpMRs3LI6mz4TS72L1mCKRTd9BdbeJq3x+A0kyGYQtH8f7GZ5/H5lAkngZC/2caQkP/5BSizzF/s5dzvpDqP9AjWR7v2SyYpMoVqX/ziQFhu+1fORJQX628OhLsc2Ok8r7kfXI50WUVhETYTUOzOX+VUD/3V4acyzEhl5vI3HZF94Hpdxku/ZI4To8RhfvNiv9dtOF4yxihczC9e6daP5+g9mgksO67stGYPPF/9vfD94yIQe4meT+6Bo+hFJqrYAyUprLNHvU3D13U/oLSUXeYjJG+RJLbvH/GPng1G8oJYxPplnsbNeysctVqdRIwYE/B8tgCXqAD9pTQRoQClUhb4dX+EY//MFFbNS0kBuke8rPapnPg51p7AG42oMDILB2DA1I48MG/nbUxSA5l3WHKEq8c5yrCsMJgxkvn3/qdyTOLkqXX/owDFgc9YAfYEWG4QNY4CGuH1wGgKLNCwZoAXAYI9qviHVQccRRVHNY9/wIAcyqRQ0AWezGKqBUQD1BECAgLzLkB8Q8AyBCxDwDJ8U4gmlmHyhx1QBqwbVGVheVYF0EgFXEoJuCbYAKbFu2ohRwsxWNMBdttBerZo4r+wYSHJXkRhTky7HYDPMPmxdYuXDGB7UwBiCPxKY+JvgAGwxa8QeDbOBGKQs+Qo0a+9eTprSxUlJYQDyRlShyBf+8t2chXoEuBL4vs3QS24jfzygC2KMq5Q3C/aiC2CgDhEgyPKqMYmqPGLNEAUNQboIfzCDakzPyUYZuWERdIIUo+uVpleV+TQ0UcZtKawaxQQGhRxS84Lfcj1+jbog7lVPi4V2bqf/BTg2XeuEriuQn2T+YUINr8cdSXUj0DarU7D55/Yc9TVtszX2d7oNHz+IM9aKlYZ9GNMSbIwj1L8YsNW4ZypA4u4DvrRbQDYRSZRAWh2gevG4gRiu0pTKgKsli+pOjI9GsmPmk4P4RXAOMCkbCRqAaLtCrJdN3kBwF4dfHWlPGNjJgYQIiwxLK4h50jw0hTg0+OzN7nH/64WrnpxLbmxkj5+rXSEyGJwmnOS0OocCjdojdsNHnPWQg6pjt7lADA1QOs0QUzTtviLFn/RAnXZwu0cgt4WVpcWWsquQApSVLinAEA3YZ07UyNVgV+KtTFrCfEs7lIL1fWSTRS9lm4wItLdadmebkg24DQnFBt16LJ38bz1p9PgZ5g7eC05elXIllzHWhBRjT8rJFJg9psa5IU6sozAqIA2v2lIUuO0pud9qUbJrDfmdLt4F9Bdri5hCXSFagWTBccj4OE2Uh6lFbmYsj7RCqDChXlR00MFFmjI031+UUGMFBiqQg4PKDbkcpuQwzch828Dv71DSoeMBHBNY6KqRxmOHIsEzYb80FakBpPvPf459efzU39SAoe1UdhesgG5h3u7Xfrph6AK0UviW3zQEO3lNh0ykFoNxDtSSlZGvfZLn1BBFMCANfvzMfPmAQqeSXZbtOKkHD9g+ACDqUATq0BDAIkbJg3WoC3COpLOl3G3Fbwuw8uwDAmdR+ofu1hih8IBUH8ba2o4qds6unZFogIUG6ByZ1vAkpGhWRSitoOOTQe6EpDirgCOtAAj2sDnGxo1DpZkzrSxSMS/Qh3mwGR32GnOBQKHK8mUJCHDyHumCi+gDt8G3tgoeJvwe7ahqOtCVtuhD1SA5Yrva6IDm+hxoIFRkZPhOVkERp7gVeAA1FBCC0y8JjAB8XO3oeyEjUwHCgy6egZMaGNwQ8aEyiIpqkhciZejXtJuWqssNCpy6uB7A/fEIVNmVSrRJMsirRJflkpkFvaM9OHuB4Hz5+SVIXJmnZLFSaLtjiGfDlKNTs4EO5Kl4gPfrvkntXKi25GE5TTgbsytZV7lpLUj52CYrv1UvipsHfaDqYvYokVSh+K2gdBGQ3ZF8BzJd1J3IQ58Y8GEr0gXYHxA+vOaolSabSQcGvFyqi+dsgD67U+hc24JTTIVWfCqoalae3J42OAtNqR+coybpuVKUgPCkaYKtZipwGFGHmngBGtgTm/QJjRgHJoaGQKsFEyDogP+6aZB17ApY6lBXmPX8/y6DNekT9Cpuqkj0Vb3RZEKMbeVIm+Qis4h1m06D+sOHfSAnjSyUlclaWC5cY5sf8GbDQT41uJGDve31ygM/0JFKIcWsEeF0xvaVg6qOq5ks+ek/6HeKIlby6iWq2IJOV2JFgUpSK0cUoajZo6THDLD0lbmZXwd/WqaDmpQpVK2q9jl+Qj4n2GZ74FUSHXkk6IBc0I9V9019gRMvDIl6aWGvHVs6psSeZOwlI76jPSnemr/8zi9PnC5emQrB6amIN/wtV+Sfp+Rtz6UJT0HDbuHO4N3nMkDygHjCn0c1AqJx5rOXL2YfX9+Gc/bsAxfAYCpEX7K5gQ2nQVZgD0+4sjn0p0l7pLzUPrxY0jH0crygSRz+FCf86JfovrhO5gXd5BPcCT97ppaBEhEcEWKMR29EGo1+ijYX3m8Dl4nU++0Uu60UKuhLI36fQ0p93h9f+lP27you7RRbU1MqGwZ9rYtUUWXqJ1ZSsD13G/e4kyfQ+oVQfijCGmEdaT6w3VeUgdPBaQIxZ+rivgv8sH12enUXVSQoJPrvI7pbdMWKisgsR7XZTiNB6VxRexrySnlD30WOXM2jky4r8sOBA2alrpml/spJBx1SD3r0EDBaB0as7Af76AWGE9meNkag7wGQhc2OomGosiy1+/jq/jWQ/7ryBZK6CFA6KsO6XMTEhXIYLRhjgFJiy4CSxo0HpAvo6VlbJQ3xMStIjF712X4GOfb+uMEVP7cJQrHklRWC+HvV16yB5VgENmIfOD/9OxcEaIBNLBRbIW94e7B/9yXfuqNIxV5jCUbbI+QP0SsVER2Ac4nf7kn8kOlAj+TmqrXZX4Zz+P0etCltnKft7HbFX39SDSB/ohswa0Ejun3OqfS8kYyo+vQauwM4CZkTvkInfiUKIBGSwJMQ6gkEVNIig5T/C4AAWyHQTYrMPKQLfk+9v4Ur4P08Qv6obrpr/iT9IU0f32nDtq1spMv8LULAIIK+AWXgO4BWeYc2ZjaPzxnHlEqSitONUCZbEFaPuyfkE1AVXELnw1bYIRQoF1cIkMrwwtwLE7x/gBJflMroZAiSKhYqJJYQNFsiYldGR7SORIJsn/4bR2WtC9XK2gDDCQshPdsgWZ/afAoUGZybBVxO5/78/lerifdhUrBlUgclQ+Yj6aQSiQM+npb3/LRFHyELCL+1meI3EJtSG2cJUFUf9+G5XBYVLXaFySBYukn3c9y6l2Rqk6LF3zI7VW5kUyLBmNLcp2W/lPduYpwE1Ip6LpaNMRL/KuKyq2oawykijDJspjXWYMKxaIMK5GklehM1YhS47zDEN42SOZa3GG4iW0LYGsLp4sOeW2HQWsX+nquANymAPq3KOMsEhNIF2eRAOgAzmoL/CsKwgRlPgeJeOegQVaS85yl//xB9F6i5oKKENrKUKhpwk3RhBleG2BnMO/oOvQ7ASqOaG0TaZroI1oIdLI0WD+kfrq9+OLpOfyP+gvJYXUV0vg69L/b0Gzvwm1gcHCbArhnA/0nS16H/sEeZAmV6ilO7v1vq/CL1uFHBiCsDfN9SPR10LbFVW6AsTYGLWao7Bm8VBMx1gbNP3gPWAMQiQGWzcbGIf6ba+MlBlQb/EkwALYN/rbBhmvRfmwhfg0os4Vgou0ssjPg4OAIYVF6OnANHFQ7XQGMmoGeGWwiHBDRzuJvLf5/UFZ0tkPDnT1U4y9+dJ5Rzns2HoH4TqyXpvyU8T0Z0BnFMCGpaT7iEe0uI7G6P/+AGFHG72HZB5RU+LGh2duGjdCG/kMXwe1xA2BiglPUgNdhbDhFTY1pS4Nz3NjYG4c8cI1/tXG7o9wHvsW5uBWQWAEXizGvrcFQAnTDxieAXLVtsVHaCAQFNL/DVu2wVSG56IoibgX8Cz7npohbAbdLja2A28pgy1jcVjbcfs7WyFVxH0ULUgd6hYN7OygrriSn9nrpvCzzJUuhkjgy50i4n46d2TWqEU52h49B8w9cq9j8joyxD5p0ymMUQB5jydG0jp5/auXyS8r06rhbrzV2GpXUg9zkHKl9tgz9mgCojKKJBbYUAFAuZCbG0W/mNOzKFxkkn9J/MOSsbxlO3vLve5vfh0QJWWqVuZL0DVuG5z7tw0g6YIR3kaSJZXjxBiOH56uVN3UXrV8K1JSkxO0yvOqpaWtVr53EN+9hrvOybiksuVWeGhXZjFuG17RxX6qWC2hmBdnGWYbL/DH05/MPebX4vQEIr5GPhpsPGPAmpNyoODrchbAPRefGGFia4j4zkFe2FvdKRW83/20y8PhKaf82pALaPVzeM7kRAcn59z1cfiQgLddCUVfD/SjkuE1oWTbhJwC2FP3ADuazBTqxqNyMKXHwomuGm9JW9N3kv4lv6+i5pxxshN33QMT+Ima2A6x4jCS9YRnSX81KaDNchVlFvHu8PLHMytZyS6p13wNmv2+tvi+7wK7n/jTs/01OaJQjt5i8FuyvvYedp+RVVvJVhvurItuiMajPFM76ebVwJXuR3wPmMgMldmJJNqgPOJ76VTuJNqoz7+JAmxx2+KjrsL0OHpWy3RLnRVn1k3NxH1BVQaXUYjEuKvbSOeKOkkmQmsru2IHp41C6s9o0AYRzmq+JgLpTgAz6Alvn88fQ37a3H1TfVU5A6hI/og5f13M/Bmma3NKSYoRgR7Xh4I5VkCXt2XJZnJGSaDWGlzWplntE45RKCub+ZywQzEe7DH/23OvPXYNXjxnlQqlJpOI9aP+yJfMkuW8NbkHT0OWZD5vrGCvsT1PTi+J2GQ5Zp5V+1TUcvhoS7yWiZl5nKQGbpiblN5ZhW759ZZOIH8mRiwvVsy1JutQedddT0bYianwYFmcTu99oy0VDKhD8UXPbEk0lmD3aOna6QRhtIrEUCiot5ldtbNpBMCBKPYAsbTu0DbvwizkI0TvYnDgT+jbORE4OGnnoATuLwRTm3w72CK4kaQXLsN2WCf9ZteKUCTTKRYtuDYh4tiPpG/dPS1T+rVRqgVyG7ejC6eMALmqcMiWgD5rPUU+NjBSHBt4cTNQWYitw1y3gyxeFVyx435ZEDy7D59JfL/30/ZAo1hA0kQWRv/I8b3cUZpj8aSqvGn1XJEHwn2wQVF+EPexu0+mucJSx0lVMH0MKVMWI2YRXqp498L5UyP3pHoF1Qi7SINYENA2YtbuVCaAlRS4S2085+S/JS3JNDWBNobQBLcmzWk9vw6VPHBIrpVzVkCfII9RwedIXd6us2WoSKHk3GtZboVJxyHcdDYt/wKyZQslWWvJwu9t4HbBlisqNoZZlf9YQ9CdMmVKJJStBBNWsXCv9quOg/DGI5aP+8KRKcpTM39fhtAy7sMG6pkaZ8ioyHZn73HUF72jCbDFYquY2ySlZh2X0ghCJ4pe8lFmlwvuj9VclaOakDo+J2IEiylRBggOKWrbEALMEi9iR/RY8Rs7pRnUMbISRkoj4B32hv/a7dcKYgvgl6cqV9OoT8pYfaY9DytQZVjbzn2kWrlOFNHx6HUbYDnM2Q+K475/447Fk1aSIxK8cYj7qiMxLUo0VUqX2of+Z0xpUgFKyJ34PF42s+vGcfdRGPer/V+x165ctG1xutpJseqbBb6fTMDznwqu7tPzVyhinl1n3VKWQAglRu4d6iDqO02s6i2vUtVoCyALOtnMC6AfnsF9tfk9oHqfXzMuRpTerG/uQjNXLr1bDKHLan4jP6rRMKe+TM5kkYLBRT8aIctrjMJgqhV/YbzbjeqRuWTlkbjA3L0mQqIqbAsdla9uxprqPiMcmp6yYWJjkPVgKRnS1wtuDgWzJQsxHHU/DnwP4uFAWICSFKEQ7IF0L5fNBShqFaMvQn3VDU3nzdmQN+wiXmNhLTQXjLK41mMk7jIvYujG3NBXF+v53Vei1AODYAoAXEWJ4jgJDLdNFgAy049AcgmSqNQC+WDR96oj8iubfEGKJ3tstRmMt4OaA3NkWmLIOmqsdmlwgEroCfrJFVLQDDDI6IBvoqxq4yEIXzwHD58DhcfhGDjgKFwVcHSA1JYAvJdn3fvx6hx5n1Sl9JTrT3bIesU42cowhp2/rsIX/g4olEz9Df88to6GmDLVrEoi2Dtul/8qPz2XDtQrLpg4LvQ5Dsyaklk3ogUKxtgszcLQpDfRqjbEY8AbKvYkEaQvcZEViYe5f5Wgc7UpFayebmetwGJqbQokwuTCKdCXpfrQO2z8RksSyakkpx0PE/ABRaUeR2j0/2Yk7lTaT4IGHs9F3BqQpM2UL+JBlr623+XP4uvZTSGX1pERdhTXJkvMxPYpoSXQsrDxGOpyyHdkSXsfXqVdf3sjhQxVw9nXYF/Dd7cJIwcBV2BSYWQvgJFg4VRwBkEyu/em225Li9GSt60ihiXVfjfvhqSkdEo7WsZVF2raQ/HRTgXVQ4fKk+3/jf4an7y3VrOhUePLseR9VQ9LIHmltMFCNXvMRNRZ+MwckmQMdooljETbFPo8aBtwq39iKnOSuU39d37Twp1NqP1BhdyV7WD1iDpN3j9BbS+IKG/YZ59P7sKUOZKZQAkcV+972YNn6p1ZMqyJy6ACfwFVgS/jRO9KzdE25+/IeqMMp0wXEr7X4fIjdW4ciuHKYIGJC2mG+2MV5G8CgJUmX98/5PC7HwtMUCrjOQknW+bbolVqrLlgX3qnpSMrsuouPqBNHVq6ucEhpyRH8HnHcdF+3UfaEbEF0PY/bsZ2gYlVRajJkUqZCugSuvakgM4XlYWpgWlAmGOgaGqDiTRMuBgO9AdNA5aWBiwMm1qZh18fykVaijUpJWUr9unxc+i8fK+lCKCNcTOhLtrRbPh5l5AEMqfa3g41CyRbiq7rVG3XNOVI6ajf/STpEispHkrv3rqE6tRWgCjLVFoWWZc3J9tAZmEutcqyw5ho2Ndyjbj+KwlVSAtkAtGsa9tfx8TN1vVOtPENiHvdowk5IXWLy/GrYS3Hrt4S2I8+EguTk+TAa16IM3knh6GO/q1LzQbos2ealfx2G6TXR8umkZZFtOhzIYRTkCpJMeVSuNLIyqQJ2og79CZx8bQDPdJF0WAJzgQZN5LgWQOpYkjd+f7gf5iS1atQa0gL4EDLnlK3sKA3JfHmYUGr8gZM/lGHlm+6hMk9mZa+uJkEhPlrqV9vJ08Y2bCtn83Lo+mpSIAa28bLHuaNfdO9FYtNqUt33Hu3iy6T34Xvtp+eP/nwbkq6OU5HJbGOPfLs+99uQe9pSxSSbF7erl2EYnqfdAjcMHXMYE6WvV7INshD/noln46oJB4tdCXG38/ovj618lkmdARn+H55cuSyz+ew9dLKRxDto2KnRI1AowA7YSg81k7kGW5rvzoJ/HmijHzxrrFzBLZtq3CPvIX6MKykLbA/mHvev9cegsglH6tk+gk7Bbeqn2LKz0LL3+j32vcn3Y2SZZ7fsWX2P7CkrP4a1Mix3ROpTtlUFANmXSWmMTsm7RTsUR1aaPt6Q6uOpTi45mQ7Gl+orqgvJRAGNKFoRhfHZd5jYKrW1OrDJjMFH2QNk2ridqi2g3uMK8rBOk/RSNVodCk947RkXOaIw2HDAxLsm/rdQgjp0OKF+YBxoeA5aC45MJ/wz72MT9SJkS9+yijAZZyjTSm3i0MBrA/6gs7FJC245KS74+LQ/63DSeaQSmSLV1R7BTvOUrrJa4sFswa6yR8csBWnIsbEF693GgWBBtlazLTk9hLj/ZY05FFL+QNlvQ+enDS2WDpo3GGCaGuoFLdqz0Iq2Jlp7RHYA1H4hZ2FtFyvs8EuDcWQBTbEYTltsCFviv8EzzWLgZkGbtPhitkXnr4VOTwtFF/jc2A6YvA5iIR06uAW0bAqMaQtILsEVwhkcFFAUciZsUwdbT2fDMN7ZMFp24MM6hwOxJGWw/BrwGEadG3dW1QIkFjLGirdeDtKtYP/tLxbruvUXPQyQ80cyzjnpQMsLoIj4Soz1XdSTg4WYq+gP8xpjn+P04UXhT8OyjS/jqU8mI41y2XCgN7MWz8nH+AbfnjLpz1BO9MA0lA15Q5/XU+8zJR1UHpQO76wksaY+aHwn78P34QOUW56Lym+kIXL2A3Kie43S+2clFnz45Xx8K4rXAkYRO83Zzus4rd4EPAlbqrAR4ksvxqygoRJJAx2mJdmwm4IlVsq/rCEB/tvcL4v2XzDyyqxCkx3Gg204pgGwMYDQGKg8GxvOQ8silLf5aU17j5LPTM58t9lvwqN4tKJvVyTAeZv/Sp7JqVGqjekczDFKvIOqwDSR7OncOZye6nqYIylr7I6cDwTzeV2/qE4GqWOY2NgfMaRy9ZXszfII+iP4ulYwR7bSOEb9EX6t3CFYwGrmA7IQlUY9PdmuDsFz6G41+WPJ4yFgAjRU8htgnhoA1EwJdH0JDxLYxJmShE2ET/8ZfKwA8PZ3P/ERfqqYP5jbWPaqfcTNVJeS7RmgigHQGIFgYetDvxyDS8gCwp8HT4cUHeU1Ds/ozAjRMAivYjwOYAXIt1H+7nEACejMf4XUNWRUADyH0wper/CoQzocApYhIJR+oeEHyDp8A8uQx5Xh7igDvAeHZRUUxiosMcw0TBuLGKird7gvO0hBdvFLQQTT0QfcURKoLBUrAdV+ie1S4X1WKADEfyObbdu89ecUE9R1SuuOXsGPUJcnHUzp8LF5yw8zQZlqNBAeZUnrImr22GyVOxj7vX3Q1IyikQ9qWZXyPdQ5nWA2iu1NMhG2ZbzcbTn0USLnUC2JF988E7bfhuc9Y0vEE+Qh2pBDhG35PnqdS25LOAfqcEQ0BZLAgP6KDudQNSkCmcKgeLaWLdu+pumWclfLRjmygftWoelWYYJeQYyjCn0MAzkzU8OIoY6G28he63g0F5j4hxPYNDiYwOUwDb4+QG2urMi1kdxdVhJg66iUFhsz0EyrogppdNmGLamD9mjJnj/f10dyNFzGLZmsNWoAy1qs3BK0ruKSkxvxNo1/3/SZKCUWbdOiCW3R9SGPttv0r85hpWJcklCV25SzDVJNSDKNvU0HtQWZudcxNSDrxfvoVG0sJWFRopgp0ZGuIFEKoTPbsF9g/7z0MyvlyMFKkT1i5euESs31ocVtGnIC/gie06hTNTWJsv95RK2o82TX7B7NS12ow0Ie1OyBH0NlBL4UufNXL+6gQiZpb4HxYCoSjISYx2dUeqUlybt/xMtSCGRLgL2h7vGOCk6mkJguZ0mkmAynQRIyDbI1iSC6hxNyC3pYK0K2pIDjI6JHdF2S2s1bUqpjnV2G3lQ3PRcap7qkZCF4u67Dkkjr1Wolh5OsxLytBByqisriBcYQ4EA0kUsGUDSk6B1GXs7CXNOSKoj3px6eT/MtqYbF+0R7TVgPQKjf0mfR/ZMS81Ip7WIBlXWWnJTGqPq4lJKZuEtInZfbojZ7LfHXtiCH2VlbE3U7dBCx72LZDVS5I3O32y0h5KomBnIz7gjYJwfJbqjlGMiwHtghUh76YGQ/ihUxOobMCz3LWpXVWXnE9l67R7sl2Z+yDVnEx4gHUlYn73LbkCznR0Bdv3XKfKEh1+aOg9PjZOXhQJLDPoblaV7zN4aC1ZFjyHu8hA/QqCkkK0aT65qpdnkLDwYwcW0BdAnYX7aAS4aLEitxsIuTtyCHRR/j8JkuL1VIkJtBm9K0Sn8TRCe0xlxl47+46/uzH7e/b8NtyHN2FCKzwOwejs+2JNmAnymNzcrWMsw1WtxBj/blvwcextc3vSw7KQngYDbiWPfdz7dBT+NauaZsTQqTfY7n51O/PP/g7lYrm90SK4y80T/H8zmKMaplIocA6D7A+gT+ltaC+YR+i4UFpW2iHUpEQqAEbKF608YmMBQdgQuxHTwqwERyRRHREfB2wOQKfWtnwijQASvigCd3Fmvd4uXZyBsDioKFoH6O29sP11ghBThdFV6Cq0jGsg+d5EMKhFuTmbGPM9+2NJRK20nQqQ/1g9GPkag+cKjqkLm2ocDqkHHhYDAGwxwDC2VLWqCHR8r7sBjpxVuF/n4dlmEbsFGwGjHw1TEGzTVhIk5KmPinyvJelOQAKXgtgp368/mpPylptkYS2WxJnwTb249cGlm0k3lxEi/3oJ43LVvmJH3vcFQ1cuJgKxIst4fJLFzZoQiHPlxrWkDVAM4yBoxwaIYYVFnGFbEnBSAbaKMwAbMW1tYW4zSHvANDLlti7ZUAL4JXY2vgXZoKHTAA/lpYtuGGtG2Er6F32wHc1mGCVsSjNVYKOCgx+XPgUDsLGx4LJRPADVzZxGkTuULFDzYsSzKbkIKuaLSH+V0YBFewHAtARVOSGfXh072Cq+72y8l0RTKOD2EzHRqZtj8W0e/j6pRbyfiTG1pEzNVSRglhViR6V0ZdPed7ek3DGhWWzJp82MMiKZXK068OiuM7lDcJhuQkJ+0zA1p2XaHycqQHZJv8Mw/ObTsVFRl3HPuSVjn/OY9Pp/lyXe43z6FQrTs1tMQnuSZC8IiV9t//57+u43U4e7Li//1///0///O/AuPcP0iSDAA="; \ No newline at end of file diff --git a/docs/Next/classes/AbstractCursor.html b/docs/Next/classes/AbstractCursor.html index 83c3983db71..aa891d22f4e 100644 --- a/docs/Next/classes/AbstractCursor.html +++ b/docs/Next/classes/AbstractCursor.html @@ -1,4 +1,5 @@ -AbstractCursor | mongodb

Class AbstractCursor<TSchema, CursorEvents>Abstract

Type Parameters

Hierarchy (view full)

Implements

Properties

[asyncDispose] +AbstractCursor | mongodb

Class AbstractCursor<TSchema, CursorEvents>Abstract

Type Parameters

Hierarchy (view full)

Implements

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

-
captureRejections: boolean

Value: boolean

+
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

Change the default captureRejections option on all new EventEmitter objects.

v13.4.0, v12.16.0

captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

See how to write a custom rejection handler.

v13.4.0, v12.16.0

-
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +

CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -90,57 +91,57 @@ regular 'error' listener is installed.

v13.6.0, v12.17.0

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    -

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    It is non-zero for as long as the database has an open cursor.

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    -

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

    -

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

    • value: boolean

      The flag boolean value.

      -

    Returns this

  • Alias for emitter.on(eventName, listener).

    +

Returns this

  • Frees any client-side resources used by the cursor.

    -

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

Returns this

  • Frees any client-side resources used by the cursor.

    +

    Parameters

    • Optionaloptions: {
          timeoutMS?: number;
      }
      • OptionaltimeoutMS?: number

    Returns Promise<void>

  • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

    Returns true if the event had listeners, false otherwise.

    import { EventEmitter } from 'node:events';
    const myEmitter = new EventEmitter();

    // First listener
    myEmitter.on('event', function firstListener() {
    console.log('Helloooo! first listener');
    });
    // Second listener
    myEmitter.on('event', function secondListener(arg1, arg2) {
    console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
    });
    // Third listener
    myEmitter.on('event', function thirdListener(...args) {
    const parameters = args.join(', ');
    console.log(`event with parameters ${parameters} in third listener`);
    });

    console.log(myEmitter.listeners('event'));

    myEmitter.emit('event', 1, 2, 3, 4, 5);

    // Prints:
    // [
    // [Function: firstListener],
    // [Function: secondListener],
    // [Function: thirdListener]
    // ]
    // Helloooo! first listener
    // event with parameters 1, 2 in second listener
    // event with parameters 1, 2, 3, 4, 5 in third listener

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns boolean

    v0.1.26

    -
  • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

    import { EventEmitter } from 'node:events';

    const myEE = new EventEmitter();
    myEE.on('foo', () => {});
    myEE.on('bar', () => {});

    const sym = Symbol('symbol');
    myEE.on(sym, () => {});

    console.log(myEE.eventNames());
    // Prints: [ 'foo', 'bar', Symbol(symbol) ]

    Returns string[]

    v6.0.0

    -
  • Iterates over all the documents for this cursor using the iterator, callback pattern.

    If the iterator returns false, iteration will stop.

    Parameters

    • iterator: ((doc: TSchema) => boolean | void)

      The iteration callback.

        • (doc): boolean | void
        • Parameters

          Returns boolean | void

    Returns Promise<void>

    • Will be removed in a future release. Use for await...of instead.
    -
  • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns number

    v3.2.0

    -
  • Map all documents using the provided function If there is a transform set on the cursor, that will be called first and the result passed to this function's transform.

    Type Parameters

    • T = any

    Parameters

    • transform: ((doc: TSchema) => T)

      The mapping transformation method.

      @@ -161,16 +162,16 @@
      const cursor: FindCursor<Document> = coll.find();
      const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
      const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[]
      -
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    +
  • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

    Parameters

    • value: number

      Number of milliseconds to wait before aborting the query.

      -

    Returns this

  • Alias for emitter.removeListener().

    +

Returns this

  • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -185,7 +186,7 @@

    Returns this

    v0.1.101

    -
  • Adds the listener function to the end of the listeners array for the event +

  • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -200,7 +201,7 @@

    Returns this

    v0.1.101

    -
  • Adds the listener function to the end of the listeners array for the event +

  • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -215,7 +216,7 @@

    Returns this

    v0.1.101

    -
  • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -228,7 +229,7 @@

    Returns this

    v0.3.0

    -
  • Adds a one-time listener function for the event named eventName. The +

  • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -241,7 +242,7 @@

    Returns this

    v0.3.0

    -
  • Adds a one-time listener function for the event named eventName. The +

  • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -254,7 +255,7 @@

    Returns this

    v0.3.0

    -
  • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

    import { EventEmitter } from 'node:events';
    const emitter = new EventEmitter();
    emitter.once('log', () => console.log('log once'));

    // Returns a new Array with a function `onceWrapper` which has a property
    // `listener` which contains the original listener bound above
    const listeners = emitter.rawListeners('log');
    const logFnWrapper = listeners[0];

    // Logs "log once" to the console and does not unbind the `once` event
    logFnWrapper.listener();

    // Logs "log once" to the console and removes the listener
    logFnWrapper();

    emitter.on('log', () => console.log('log persistently'));
    // Will return a new Array with a single function bound by `.on()` above
    const newListeners = emitter.rawListeners('log');

    // Logs "log persistently" twice
    newListeners[0]();
    emitter.emit('log');

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    Returns CursorEvents[EventKey][]

    v9.4.0

    -
  • Removes all listeners, or those of the specified eventName.

    It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

    Returns a reference to the EventEmitter, so that calls can be chained.

    Type Parameters

    • EventKey extends string | number | symbol

    Parameters

    • Optionalevent: string | symbol | EventKey

    Returns this

    v0.1.26

    -
  • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will remain in effect. Iterating this cursor will cause new queries to be sent to the server, even if the resultant data has already been retrieved by this cursor.

    -

    Returns void

  • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

    Returns a reference to the EventEmitter, so that calls can be chained.

    Parameters

    • n: number

    Returns this

    v0.3.5

    -
  • Returns an array of documents. The caller is responsible for making sure that there is enough memory to store the results. Note that the array only contains partial results when this cursor had been previously accessed. In that case, cursor.rewind() can be used to reset the cursor.

    -

    Returns Promise<TSchema[]>

  • Experimental

    Listens once to the abort event on the provided signal.

    +

Returns this

Returns void

v15.4.0

-
+
diff --git a/docs/Next/classes/AggregationCursor.html b/docs/Next/classes/AggregationCursor.html index c886fadea28..b6769945377 100644 --- a/docs/Next/classes/AggregationCursor.html +++ b/docs/Next/classes/AggregationCursor.html @@ -2,8 +2,9 @@ allowing for iteration over the results returned from the underlying query. It supports one by one document iteration, conversion to an array or can be iterated as a Node 4.X or higher stream

-

Type Parameters

Hierarchy (view full)

Properties

Type Parameters

  • TSchema = any

Hierarchy (view full)

Properties

[asyncDispose]: (() => Promise<void>)

An alias for AbstractCursor.close|AbstractCursor.close().

-
pipeline: Document[]
captureRejections: boolean

Value: boolean

+
pipeline: Document[]
signal: undefined | AbortSignal
captureRejections: boolean

Value: boolean

Change the default captureRejections option on all new EventEmitter objects.

v13.4.0, v12.16.0

captureRejectionSymbol: typeof captureRejectionSymbol

Value: Symbol.for('nodejs.rejection')

See how to write a custom rejection handler.

v13.4.0, v12.16.0

-
CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single +

CLOSE: "close" = ...
defaultMaxListeners: number

By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -109,72 +110,72 @@ regular 'error' listener is installed.

v13.6.0, v12.17.0

Accessors

  • get closed(): boolean
  • The cursor is closed and all remaining locally buffered documents have been iterated.

    -

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    +

    Returns boolean

  • get id(): undefined | Long
  • The cursor has no id until it receives a response from the initial cursor creating command.

    It is non-zero for as long as the database has an open cursor.

    The initiating command may receive a zero id if the entire result is in the firstBatch.

    -

    Returns undefined | Long

  • get killed(): boolean
  • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

    -

    Returns boolean

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

Methods

  • Type Parameters

    • K

    Parameters

    • error: Error
    • event: string | symbol
    • Rest...args: AnyRest

    Returns void

  • Add a cursor flag to the cursor

    Parameters

    • flag:
          | "tailable"
          | "oplogReplay"
          | "noCursorTimeout"
          | "awaitData"
          | "exhaust"
          | "partial"

      The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

    • value: boolean

      The flag boolean value.

      -

    Returns this

  • Alias for emitter.on(eventName, listener).

    +

Returns this

Returns this

Returns this

Returns this

Returns void

v15.4.0

-
+
diff --git a/docs/Next/classes/BSON.ObjectId.html b/docs/Next/classes/BSON.ObjectId.html index 93f9d5cd2b3..6ea27e28303 100644 --- a/docs/Next/classes/BSON.ObjectId.html +++ b/docs/Next/classes/BSON.ObjectId.html @@ -17,34 +17,34 @@

Constructors

  • Create ObjectId from a number.

    Parameters

    • inputId: number

      A number.

    Returns ObjectId

    Instead, use static createFromTime() to set a numeric value for the new ObjectId.

    -
  • Create ObjectId from a 24 character hex string.

    +
  • Create ObjectId from a 24 character hex string.

    Parameters

    • inputId: string

      A 24 character hex string.

      -

    Returns ObjectId

  • Create ObjectId from the BSON ObjectId type.

    +

Returns ObjectId

  • Create ObjectId from the BSON ObjectId type.

    Parameters

    • inputId: ObjectId

      The BSON ObjectId type.

      -

    Returns ObjectId

  • Create ObjectId from the object type that has the toHexString method.

    +
  • Returns ObjectId

  • Create ObjectId from the object type that has the toHexString method.

    Parameters

    Returns ObjectId

  • Create ObjectId from a 12 byte binary Buffer.

    +
  • Returns ObjectId

  • Create ObjectId from a 12 byte binary Buffer.

    Parameters

    • inputId: Uint8Array

      A 12 byte binary Buffer.

      -

    Returns ObjectId

  • To generate a new ObjectId, use ObjectId() with no argument.

    -

    Returns ObjectId

  • Implementation overload.

    +
  • Returns ObjectId

  • To generate a new ObjectId, use ObjectId() with no argument.

    +

    Returns ObjectId

  • Implementation overload.

    Parameters

    • OptionalinputId:
          | string
          | number
          | Uint8Array
          | ObjectId
          | ObjectIdLike

      All input types that are used in the constructor implementation.

      -

    Returns ObjectId

  • Properties

    cacheHexString: boolean

    Accessors

    • get _bsontype(): "ObjectId"
    • Returns "ObjectId"

    • get id(): Uint8Array
    • The ObjectId bytes

      -

      Returns Uint8Array

    Methods

    • Compares the equality of this ObjectId with otherID.

      +

    Returns ObjectId

    Properties

    cacheHexString: boolean

    Accessors

    • get _bsontype(): "ObjectId"
    • Returns "ObjectId"

    • get id(): Uint8Array
    • The ObjectId bytes

      +

      Returns Uint8Array

    Methods

    • Compares the equality of this ObjectId with otherID.

      Parameters

      • otherId:
            | undefined
            | null
            | string
            | ObjectId
            | ObjectIdLike

        ObjectId instance to compare against.

        -

      Returns boolean

    • Returns the generation date (accurate up to the second) that this ID was generated.

      -

      Returns Date

    • Converts to a string representation of this Id.

      +

    Returns boolean

    • Returns the generation date (accurate up to the second) that this ID was generated.

      +

      Returns Date

    • Converts to a string representation of this Id.

      Parameters

      • Optionaldepth: number
      • Optionaloptions: unknown
      • Optionalinspect: InspectFn

      Returns string

      return the 24 character hex string representation.

    • Returns the ObjectId id as a 24 lowercase character hex string representation

      -

      Returns string

    • Converts to its JSON the 24 character hex string representation.

      -

      Returns string

    • Converts the id into a 24 character hex string for printing, unless encoding is provided.

      +

      Returns string

    • Converts to its JSON the 24 character hex string representation.

      +

      Returns string

    • Converts the id into a 24 character hex string for printing, unless encoding is provided.

      Parameters

      • Optionalencoding: "base64" | "hex"

        hex or base64

        -

      Returns string

    • Creates an ObjectId instance from a base64 string

      -

      Parameters

      • base64: string

      Returns ObjectId

    • Creates an ObjectId from a hex string representation of an ObjectId.

      +

    Returns string

    • Creates an ObjectId instance from a base64 string

      +

      Parameters

      • base64: string

      Returns ObjectId

    • Creates an ObjectId from a hex string representation of an ObjectId.

      Parameters

      • hexString: string

        create a ObjectId from a passed in 24 character hexstring.

        -

      Returns ObjectId

    • Creates an ObjectId from a second based number, with the rest of the ObjectId zeroed out. Used for comparisons or sorting the ObjectId.

      +

    Returns ObjectId

    • Creates an ObjectId from a second based number, with the rest of the ObjectId zeroed out. Used for comparisons or sorting the ObjectId.

      Parameters

      • time: number

        an integer number representing a number of seconds.

        -

      Returns ObjectId

    • Generate a 12 byte id buffer used in ObjectId's

      +

    Returns ObjectId

    • Generate a 12 byte id buffer used in ObjectId's

      Parameters

      • Optionaltime: number

        pass in a second based timestamp.

        -

      Returns Uint8Array

    • Checks if a value can be used to create a valid bson ObjectId

      +

    Returns Uint8Array

    • Checks if a value can be used to create a valid bson ObjectId

      Parameters

      • id:
            | string
            | number
            | Uint8Array
            | ObjectId
            | ObjectIdLike

        any JS value

        -

      Returns boolean

    +

    Returns boolean

    diff --git a/docs/Next/classes/Batch.html b/docs/Next/classes/Batch.html index 380121052aa..b18dcb33e66 100644 --- a/docs/Next/classes/Batch.html +++ b/docs/Next/classes/Batch.html @@ -1,6 +1,6 @@ Batch | mongodb

    Class Batch<T>

    Keeps the state of a unordered batch so we can rewrite the results correctly after command execution

    -

    Type Parameters

    Constructors

    Type Parameters

    Constructors

    Properties

    batchType: BatchType
    currentIndex: number
    operations: T[]
    originalIndexes: number[]
    originalZeroIndex: number
    size: number
    sizeBytes: number
    +

    Constructors

    Properties

    batchType: BatchType
    currentIndex: number
    operations: T[]
    originalIndexes: number[]
    originalZeroIndex: number
    size: number
    sizeBytes: number
    diff --git a/docs/Next/classes/BulkOperationBase.html b/docs/Next/classes/BulkOperationBase.html index d1486059b1f..15483d66b58 100644 --- a/docs/Next/classes/BulkOperationBase.html +++ b/docs/Next/classes/BulkOperationBase.html @@ -1,4 +1,4 @@ -BulkOperationBase | mongodb

    Class BulkOperationBaseAbstract

    Hierarchy (view full)

    Properties

    isOrdered +BulkOperationBase | mongodb

    Class BulkOperationBaseAbstract

    Hierarchy (view full)

    Properties

    Accessors

    batches bsonOptions @@ -9,14 +9,14 @@ find insert raw -

    Properties

    isOrdered: boolean
    operationId?: number

    Accessors

    Methods

    • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. +

    Properties

    isOrdered: boolean
    operationId?: number

    Accessors

    Methods

    • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. Returns a builder object used to complete the definition of the operation.

      Parameters

      Returns FindOperators

      const bulkOp = collection.initializeOrderedBulkOp();

      // Add an updateOne to the bulkOp
      bulkOp.find({ a: 1 }).updateOne({ $set: { b: 2 } });

      // Add an updateMany to the bulkOp
      bulkOp.find({ c: 3 }).update({ $set: { d: 4 } });

      // Add an upsert
      bulkOp.find({ e: 5 }).upsert().updateOne({ $set: { f: 6 } });

      // Add a deletion
      bulkOp.find({ g: 7 }).deleteOne();

      // Add a multi deletion
      bulkOp.find({ h: 8 }).delete();

      // Add a replaceOne
      bulkOp.find({ i: 9 }).replaceOne({writeConcern: { j: 10 }});

      // Update using a pipeline (requires Mongodb 4.2 or higher)
      bulk.find({ k: 11, y: { $exists: true }, z: { $exists: true } }).updateOne([
      { $set: { total: { $sum: [ '$y', '$z' ] } } }
      ]);

      // All of the ops will now be executed
      await bulkOp.execute();
      -
    • Add a single insert document to the bulk operation

      Parameters

      Returns BulkOperationBase

      const bulkOp = collection.initializeOrderedBulkOp();

      // Adds three inserts to the bulkOp.
      bulkOp
      .insert({ a: 1 })
      .insert({ b: 2 })
      .insert({ c: 3 });
      await bulkOp.execute();
      -
    +
    diff --git a/docs/Next/classes/BulkWriteResult.html b/docs/Next/classes/BulkWriteResult.html index 1ba3638d474..1d25108bd1c 100644 --- a/docs/Next/classes/BulkWriteResult.html +++ b/docs/Next/classes/BulkWriteResult.html @@ -1,5 +1,5 @@ BulkWriteResult | mongodb

    Class BulkWriteResult

    The result of a bulk write.

    -

    Properties

    Properties

    deletedCount: number

    Number of documents deleted.

    -
    insertedCount: number

    Number of documents inserted.

    -
    insertedIds: {
        [key: number]: any;
    }

    Inserted document generated Id's, hash key is the index of the originating operation

    -
    matchedCount: number

    Number of documents matched for update.

    -
    modifiedCount: number

    Number of documents modified.

    -
    upsertedCount: number

    Number of documents upserted.

    -
    upsertedIds: {
        [key: number]: any;
    }

    Upserted document generated Id's, hash key is the index of the originating operation

    -

    Accessors

    • get ok(): number
    • Evaluates to true if the bulk operation correctly executes

      -

      Returns number

    Methods

    • Returns the number of write errors off the bulk operation

      -

      Returns number

    • Returns true if the bulk operation contains a write error

      -

      Returns boolean

    +
    insertedCount: number

    Number of documents inserted.

    +
    insertedIds: {
        [key: number]: any;
    }

    Inserted document generated Id's, hash key is the index of the originating operation

    +
    matchedCount: number

    Number of documents matched for update.

    +
    modifiedCount: number

    Number of documents modified.

    +
    upsertedCount: number

    Number of documents upserted.

    +
    upsertedIds: {
        [key: number]: any;
    }

    Upserted document generated Id's, hash key is the index of the originating operation

    +

    Accessors

    • get ok(): number
    • Evaluates to true if the bulk operation correctly executes

      +

      Returns number

    Methods

    • Returns the number of write errors off the bulk operation

      +

      Returns number

    • Returns true if the bulk operation contains a write error

      +

      Returns boolean

    diff --git a/docs/Next/classes/CancellationToken.html b/docs/Next/classes/CancellationToken.html index 7bf83445145..23a60e76400 100644 --- a/docs/Next/classes/CancellationToken.html +++ b/docs/Next/classes/CancellationToken.html @@ -1,4 +1,4 @@ -CancellationToken | mongodb

    Class CancellationToken

    Hierarchy (view full)

    Constructors

    constructor +CancellationToken | mongodb

    Class CancellationToken

    Hierarchy (view full)

    Constructors

    Properties

    captureRejections: boolean

    Value: boolean

    +

    Constructors

    Properties

    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    @@ -63,42 +63,42 @@

    v13.6.0, v12.17.0

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      • event: symbol | EventKey
      • Rest...args: Parameters<{
            cancel(): void;
        }[EventKey]>

      Returns boolean

      v0.1.26

      -
    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      Returns number

      v3.2.0

      -
    • Returns a copy of the array of listeners for the event named eventName.

      server.on('connection', (stream) => {
      console.log('someone connected!');
      });
      console.log(util.inspect(server.listeners('connection')));
      // Prints: [ [Function] ]

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      Returns {
          cancel(): void;
      }[EventKey][]

      v0.1.26

      -
    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -113,7 +113,7 @@

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      • event: EventKey
      • listener: {
            cancel(): void;
        }[EventKey]

        The callback function

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -128,7 +128,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -143,7 +143,7 @@

      Parameters

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -156,7 +156,7 @@

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      • event: EventKey
      • listener: {
            cancel(): void;
        }[EventKey]

        The callback function

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -169,7 +169,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -182,7 +182,7 @@

      Parameters

      Returns this

      v0.3.0

      -
    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -192,7 +192,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      • event: EventKey
      • listener: {
            cancel(): void;
        }[EventKey]

        The callback function

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -202,7 +202,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -212,7 +212,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -220,7 +220,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      • event: EventKey
      • listener: {
            cancel(): void;
        }[EventKey]

        The callback function

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -228,7 +228,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -236,19 +236,19 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      Returns {
          cancel(): void;
      }[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -275,7 +275,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "cancel"

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -302,7 +302,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -329,13 +329,13 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • n: number

      Returns this

      v0.3.5

      -
    • Experimental

      Listens once to the abort event on the provided signal.

      Listening to the abort event on abort signals is unsafe and may lead to resource leaks since another third party with the signal can call e.stopImmediatePropagation(). Unfortunately Node.js cannot change @@ -421,4 +421,4 @@

    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} objects.

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/ChangeStream.html b/docs/Next/classes/ChangeStream.html index 9622972da5d..70dd8207742 100644 --- a/docs/Next/classes/ChangeStream.html +++ b/docs/Next/classes/ChangeStream.html @@ -95,48 +95,48 @@

    v13.6.0, v12.17.0

    INIT: "init" = INIT
    MORE: "more" = MORE
    RESPONSE: "response" = RESPONSE
    RESUME_TOKEN_CHANGED: "resumeTokenChanged" = RESUME_TOKEN_CHANGED

    Emitted each time the change stream stores a new resume token.

    Accessors

    • get resumeToken(): unknown
    • The cached resume token that is used to resume after the most recently returned change.

      -

      Returns unknown

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • get resumeToken(): unknown
    • The cached resume token that is used to resume after the most recently returned change.

      +

      Returns unknown

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Frees the internal resources used by the change stream.

      -

      Returns Promise<void>

    • Frees the internal resources used by the change stream.

      +

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      Parameters

      Returns boolean

      v0.1.26

      -
    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Check if there is any document still available in the Change Stream

      -

      Returns Promise<boolean>

    • Check if there is any document still available in the Change Stream

      +

      Returns Promise<boolean>

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -151,7 +151,7 @@

      Type Parameters

      Parameters

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -166,7 +166,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -181,7 +181,7 @@

      Parameters

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -194,7 +194,7 @@

      Type Parameters

      Parameters

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -207,7 +207,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -220,7 +220,7 @@

      Parameters

      Returns this

      v0.3.0

      -
    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -230,7 +230,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      Parameters

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -240,7 +240,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -250,7 +250,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -258,7 +258,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -266,7 +266,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -274,19 +274,19 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      Parameters

      Returns ChangeStreamEvents<TSchema, TChange>[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -313,7 +313,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -340,7 +340,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -367,18 +367,18 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • n: number

      Returns this

      v0.3.5

      -
    • Return a modified Readable stream including a possible transform method.

      NOTE: When using a Stream to process change stream events, the stream will NOT automatically resume in the case a resumable error is encountered.

      Parameters

      Returns Readable & AsyncIterable<TChange>

      MongoChangeStreamError if the underlying cursor or the change stream is closed

      -
    • Try to get the next available document from the Change Stream's cursor or null if an empty batch is returned

      -

      Returns Promise<null | TChange>

    • Experimental

      Listens once to the abort event on the provided signal.

      +
    • Try to get the next available document from the Change Stream's cursor or null if an empty batch is returned

      +

      Returns Promise<null | TChange>

    • Experimental

      Listens once to the abort event on the provided signal.

      Listening to the abort event on abort signals is unsafe and may lead to resource leaks since another third party with the signal can call e.stopImmediatePropagation(). Unfortunately Node.js cannot change diff --git a/docs/Next/classes/ClientEncryption.html b/docs/Next/classes/ClientEncryption.html index 23e70cda2a5..8b1dc6d5e22 100644 --- a/docs/Next/classes/ClientEncryption.html +++ b/docs/Next/classes/ClientEncryption.html @@ -20,7 +20,7 @@

      new ClientEncryption(mongoClient, {
      keyVaultNamespace: 'client.encryption',
      kmsProviders: {
      aws: {
      accessKeyId: AWS_ACCESS_KEY,
      secretAccessKey: AWS_SECRET_KEY
      }
      }
      });
      -

    Accessors

    Methods

    Accessors

    Methods

    • Adds a keyAltName to a key identified by the provided _id.

      This method resolves to/returns the old key value (prior to adding the new altKeyName).

      Parameters

      • _id: Binary

        The id of the document to update.

      • keyAltName: string

        a keyAltName to search for a key

        @@ -29,7 +29,7 @@

    Returns Promise<{
        collection: Collection<TSchema>;
        encryptedFields: Document;
    }>

    created collection and generated encryptedFields

    MongoCryptCreateDataKeyError - If part way through the process a createDataKey invocation fails, an error will be rejected that has the partial encryptedFields that were created.

    MongoCryptCreateEncryptedCollectionError - If creating the collection fails, an error will be rejected that has the entire encryptedFields that were created.

    -
    • Explicitly decrypt a provided encrypted value

      Type Parameters

      • T = any

      Parameters

      • value: Binary

        An encrypted value

      Returns Promise<T>

      a Promise that either resolves with the decrypted value, or rejects with an error

      // Decrypting value with async/await API
      async function decryptMyValue(value) {
      return clientEncryption.decrypt(value);
      }
      -
    • Deletes the key with the provided id from the keyvault, if it exists.

      Parameters

      Returns Promise<DeleteResult>

      // delete a key by _id
      const id = new Binary(); // id is a bson binary subtype 4 object
      const { deletedCount } = await clientEncryption.deleteKey(id);

      if (deletedCount != null && deletedCount > 0) {
      // successful deletion
      }
      -
    • Explicitly encrypt a provided value. Note that either options.keyId or options.keyAltName must be specified. Specifying both options.keyId and options.keyAltName is considered an error.

      Parameters

      Returns Promise<Binary>

      a Promise that either resolves with the encrypted value, or rejects with an error.

      @@ -68,7 +68,7 @@
      // Encryption using a keyAltName
      async function encryptMyData(value) {
      await clientEncryption.createDataKey('local', { keyAltNames: 'mySpecialKey' });
      return clientEncryption.encrypt(value, { keyAltName: 'mySpecialKey', algorithm: 'AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic' });
      }
      -
    • Finds a key in the keyvault with the specified _id.

      Returns a promise that either resolves to a DataKey if a document matches the key or null if no documents match the id. The promise rejects with an error if an error is thrown.

      Parameters

      Returns Promise<null | DataKey>

      // getting a key by id
      const id = new Binary(); // id is a bson binary subtype 4 object
      const key = await clientEncryption.getKey(id);
      if (!key) {
      // key is null if there was no matching key
      }
      -
    • Finds a key in the keyvault which has the specified keyAltName.

      Parameters

      • keyAltName: string

        a keyAltName to search for a key

      Returns Promise<null | WithId<DataKey>>

      Returns a promise that either resolves to a DataKey if a document matches the key or null if no documents match the keyAltName. The promise rejects with an error if an error is thrown.

      // get a key by alt name
      const keyAltName = 'keyAltName';
      const key = await clientEncryption.getKeyByAltName(keyAltName);
      if (!key) {
      // key is null if there is no matching key
      }
      -
    • Adds a keyAltName to a key identified by the provided _id.

      This method resolves to/returns the old key value (prior to removing the new altKeyName).

      If the removed keyAltName is the last keyAltName for that key, the altKeyNames property is unset from the document.

      Parameters

      • _id: Binary

        The id of the document to update.

        @@ -108,7 +108,7 @@
    • Searches the keyvault for any data keys matching the provided filter. If there are matches, rewrapManyDataKey then attempts to re-wrap the data keys using the provided options.

      +
    • Advances the clusterTime for a ClientSession to the provided clusterTime of another ClientSession

      Parameters

      • clusterTime: ClusterTime

        the $clusterTime returned by the server from another session in the form of a document containing the BSON.Timestamp clusterTime and signature

        -

      Returns void

    • Advances the operationTime for a ClientSession.

      +

    Returns void

    • Advances the operationTime for a ClientSession.

      Parameters

      • operationTime: Timestamp

        the BSON.Timestamp of the operation type it is desired to advance to

        -

      Returns void

    • Commits the currently active transaction in this session.

      +

    Returns void

    • Commits the currently active transaction in this session.

      Parameters

      • Optionaloptions: {
            timeoutMS?: number;
        }

        Optional options, can be used to override defaultTimeoutMS.

        -
        • OptionaltimeoutMS?: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

      • OptionaltimeoutMS?: number

    Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns boolean

      v0.1.26

      -
    • Frees any client-side resources held by the current session. If a session is in a transaction, the transaction is aborted.

      Does not end the session on the server.

      Parameters

      • Optionaloptions: EndSessionOptions

        Optional settings. Currently reserved for future use

        -

      Returns Promise<void>

    • Used to determine if this session equals another

      +

    Returns Promise<void>

    • Used to determine if this session equals another

      Parameters

      Returns boolean

    • Returns an array listing the events for which the emitter has registered +

    Returns boolean

    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Increment the transaction number on the internal ServerSession

      -

      Returns void

    • Returns boolean

      whether this session is currently in a transaction or not

      -
    • Increment the transaction number on the internal ServerSession

      +

      Returns void

    • Returns boolean

      whether this session is currently in a transaction or not

      +
    • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns number

      v3.2.0

      -
    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -160,7 +159,7 @@

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -175,7 +174,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -190,7 +189,7 @@

      Parameters

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -203,7 +202,7 @@

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -216,7 +215,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -229,7 +228,7 @@

      Parameters

      Returns this

      v0.3.0

      -
    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -239,7 +238,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -249,7 +248,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -259,7 +258,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -267,7 +266,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -275,7 +274,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -283,19 +282,19 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns ClientSessionEvents[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "ended"

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -322,7 +321,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "ended"

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -349,7 +348,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -376,19 +375,19 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • n: number

      Returns this

      v0.3.5

      -
    • Starts a new transaction with the given options.

      Parameters

      Returns void

      IMPORTANT: Running operations in parallel is not supported during a transaction. The use of Promise.all, Promise.allSettled, Promise.race, etc to parallelize operations inside a transaction is undefined behaviour.

      -
    • This is here to ensure that ClientSession is never serialized to BSON.

      -

      Returns never

    • Starts a transaction and runs a provided function, ensuring the commitTransaction is always attempted when all operations run in the function have completed.

      +
    • This is here to ensure that ClientSession is never serialized to BSON.

      +

      Returns never

    • Experimental

      Listens once to the abort event on the provided signal.

      +
    • Experimental

      Listens once to the abort event on the provided signal.

      Listening to the abort event on abort signals is unsafe and may lead to resource leaks since another third party with the signal can call e.stopImmediatePropagation(). Unfortunately Node.js cannot change @@ -504,4 +503,4 @@

    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} objects.

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/Collection.html b/docs/Next/classes/Collection.html index f9b1c6cc87a..09d60682bb9 100644 --- a/docs/Next/classes/Collection.html +++ b/docs/Next/classes/Collection.html @@ -4,7 +4,7 @@
    import { MongoClient } from 'mongodb';

    interface Pet {
    name: string;
    kind: 'dog' | 'cat' | 'fish';
    }

    const client = new MongoClient('mongodb://localhost:27017');
    const pets = client.db().collection<Pet>('pets');

    const petCursor = pets.find();

    for await (const pet of petCursor) {
    console.log(`${pet.name} is a ${pet.kind}!`);
    }
    -

    Type Parameters

    Accessors

    Type Parameters

    Accessors

    • get dbName(): string
    • The name of the database this collection belongs to

      -

      Returns string

    • get namespace(): string
    • The namespace of this collection, in the format ${this.dbName}.${this.collectionName}

      -

      Returns string

    • get readConcern(): undefined | ReadConcern
    • The current readConcern of the collection. If not explicitly defined for +

    Accessors

    • get dbName(): string
    • The name of the database this collection belongs to

      +

      Returns string

    • get namespace(): string
    • The namespace of this collection, in the format ${this.dbName}.${this.collectionName}

      +

      Returns string

    • get readConcern(): undefined | ReadConcern
    • The current readConcern of the collection. If not explicitly defined for this collection, will be inherited from the parent DB

      -

      Returns undefined | ReadConcern

    • get readPreference(): undefined | ReadPreference
    • The current readPreference of the collection. If not explicitly defined for this collection, will be inherited from the parent DB

      -

      Returns undefined | ReadPreference

    • get writeConcern(): undefined | WriteConcern
    • The current writeConcern of the collection. If not explicitly defined for this collection, will be inherited from the parent DB

      -

      Returns undefined | WriteConcern

    Methods

    Methods

    Returns AggregationCursor<T>

    • An estimated count of matching documents in the db to a filter.

      +
    • An estimated count of matching documents in the db to a filter.

      NOTE: This method has been deprecated, since it does not provide an accurate count of the documents in a collection. To obtain an accurate count of documents in the collection, use Collection#countDocuments| countDocuments. To obtain an estimated count of all documents in the collection, use Collection#estimatedDocumentCount| estimatedDocumentCount.

      Parameters

      Returns Promise<number>

      use Collection#countDocuments| countDocuments or Collection#estimatedDocumentCount| estimatedDocumentCount instead

      -
    • Gets the number of documents matching the filter. -For a fast count of the total documents in a collection see Collection#estimatedDocumentCount| estimatedDocumentCount. -Note: When migrating from Collection#count| count to Collection#countDocuments| countDocuments +

    • Creates an index on the db and collection collection.

      +
    • Creates an index on the db and collection collection.

      Parameters

      Returns Promise<string>

      const collection = client.db('foo').collection('bar');

      await collection.createIndex({ a: 1, b: -1 });

      // Alternate syntax for { c: 1, d: -1 } that ensures order of indexes
      await collection.createIndex([ [c, 1], [d, -1] ]);

      // Equivalent to { e: 1 }
      await collection.createIndex('e');

      // Equivalent to { f: 1, g: 1 }
      await collection.createIndex(['f', 'g'])

      // Equivalent to { h: 1, i: -1 }
      await collection.createIndex([ { h: 1 }, { i: -1 } ]);

      // Equivalent to { j: 1, k: -1, l: 2d }
      await collection.createIndex(['j', ['k', -1], { l: '2d' }])
      -
    • Creates multiple indexes in the collection, this method is only supported for +

    • Creates multiple indexes in the collection, this method is only supported for MongoDB 2.6 or higher. Earlier version of MongoDB will throw a command not supported error.

      Note: Unlike Collection#createIndex| createIndex, this function takes in raw index specifications. @@ -137,33 +138,33 @@

    Returns Promise<string[]>

    const collection = client.db('foo').collection('bar');
    await collection.createIndexes([
    // Simple index on field fizz
    {
    key: { fizz: 1 },
    }
    // wildcard index
    {
    key: { '$**': 1 }
    },
    // named index on darmok and jalad
    {
    key: { darmok: 1, jalad: -1 }
    name: 'tanagra'
    }
    ]);
    -
    • Creates a single search index for the collection.

      +
    • Creates a single search index for the collection.

      Parameters

      Returns Promise<string>

      A promise that resolves to the name of the new search index.

      Only available when used against a 7.0+ Atlas cluster.

      -
    • Creates multiple search indexes for the current collection.

      +
    • Creates multiple search indexes for the current collection.

      Parameters

      Returns Promise<string[]>

      A promise that resolves to an array of the newly created search index names.

      Only available when used against a 7.0+ Atlas cluster.

      -
    • Delete a document from a collection

      +

    Returns Promise<DeleteResult>

    • The distinct command returns a list of distinct values for the given key across a collection.

      +

    Returns Promise<DeleteResult>

    • Drop the collection from the database, removing it permanently. New accesses will create a new collection.

      +

    Returns Promise<Flatten<WithId<TSchema>[Key]>[]>

  • Type Parameters

    • Key extends string | number | symbol

    Parameters

    Returns Promise<Flatten<WithId<TSchema>[Key]>[]>

  • Type Parameters

    • Key extends string | number | symbol

    Parameters

    Returns Promise<Flatten<WithId<TSchema>[Key]>[]>

  • Parameters

    • key: string

    Returns Promise<any[]>

  • Parameters

    Returns Promise<any[]>

  • Parameters

    Returns Promise<any[]>

    • Drop the collection from the database, removing it permanently. New accesses will create a new collection.

      Parameters

      Returns Promise<boolean>

    • Drops an index from this collection.

      +

    Returns Promise<boolean>

    • Drops all indexes from this collection.

      +

    Returns Promise<Document>

    • Drops all indexes from this collection.

      Parameters

      Returns Promise<boolean>

    • Deletes a search index by index name.

      +

    Returns Promise<boolean>

    • Deletes a search index by index name.

      Parameters

      • name: string

        The name of the search index to be deleted.

      Returns Promise<void>

      Only available when used against a 7.0+ Atlas cluster.

      -
    • Gets an estimate of the count of documents in a collection using collection metadata. +

    • Gets an estimate of the count of documents in a collection using collection metadata. This will always run a count command on all server versions.

      due to an oversight in versions 5.0.0-5.0.8 of MongoDB, the count command, which estimatedDocumentCount uses in its implementation, was not included in v1 of @@ -172,66 +173,78 @@ encountering errors.

      Parameters

      Returns Promise<number>

    • Find a document and delete it in one atomic operation. Requires a write lock for the duration of the operation.

      +
    • Find a document and replace it in one atomic operation. Requires a write lock for the duration of the operation.

      +

    Returns Promise<ModifyResult<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

    • Find a document and update it in one atomic operation. Requires a write lock for the duration of the operation.

      +

    Returns Promise<ModifyResult<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Returns Promise<ModifyResult<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

  • Parameters

    Returns Promise<null | WithId<TSchema>>

    • Checks if one or more indexes exist on the collection, fails on first non-existing index

      +

    Returns Promise<IndexDescriptionInfo[]>

  • Parameters

    Returns Promise<IndexDescriptionCompact>

  • Parameters

    Returns Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>

  • Parameters

    Returns Promise<IndexDescriptionInfo[]>

    • Checks if one or more indexes exist on the collection, fails on first non-existing index

      Parameters

      • indexes: string | string[]

        One or more index names to check.

      • Optionaloptions: ListIndexesOptions

        Optional settings for the command

        -

      Returns Promise<boolean>

    Returns Promise<boolean>

    • 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.

      +

    Returns Promise<IndexDescriptionInfo[]>

  • Parameters

    Returns Promise<IndexDescriptionCompact>

  • Parameters

    Returns Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>

  • Returns Promise<IndexDescriptionCompact>

    • 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.

      Parameters

      Returns OrderedBulkOperation

      MongoNotConnectedError

      NOTE: MongoClient must be connected prior to calling this method due to a known limitation in this legacy implementation. However, collection.bulkWrite() provides an equivalent API that does not require prior connecting.

      -
    • Initiate an Out of order batch write operation. All operations will be buffered into insert/update/remove commands executed out of order.

      +
    • Initiate an Out of order batch write operation. All operations will be buffered into insert/update/remove commands executed out of order.

      Parameters

      Returns UnorderedBulkOperation

      MongoNotConnectedError

      NOTE: MongoClient must be connected prior to calling this method due to a known limitation in this legacy implementation. However, collection.bulkWrite() provides an equivalent API that does not require prior connecting.

      -
    • Inserts a single document into MongoDB. If documents passed in do not contain the _id field, +

    Returns Promise<InsertManyResult<TSchema>>

    • Returns if the collection is a capped collection

      +

    Returns Promise<InsertOneResult<TSchema>>

    • Returns if the collection is a capped collection

      Parameters

      Returns Promise<boolean>

    • Get the list of all indexes information for the collection.

      +

    Returns Promise<boolean>

    Returns ListIndexesCursor

    Returns Promise<Document>

    • Update multiple documents in a collection

      +

    Returns Promise<UpdateResult<TSchema>>

    • Update a single document in a collection

      +

    Returns Promise<UpdateResult<TSchema>>

    • Updates a search index by replacing the existing index definition with the provided definition.

      +

    Returns Promise<UpdateResult<TSchema>>

    • Updates a search index by replacing the existing index definition with the provided definition.

      Parameters

      • name: string

        The name of the search index to update.

      • definition: Document

        The new search index definition.

      Returns Promise<void>

      Only available when used against a 7.0+ Atlas cluster.

      -
    +
    diff --git a/docs/Next/classes/Db.html b/docs/Next/classes/Db.html index c1c9393c437..b347ab7c697 100644 --- a/docs/Next/classes/Db.html +++ b/docs/Next/classes/Db.html @@ -45,18 +45,18 @@ this Db, will be inherited from the parent MongoClient

    Returns ReadPreference

    Methods

    • Returns a reference to a MongoDB Collection. If it does not exist it will be created implicitly.

      +

    Returns AggregationCursor<T>

    • Returns a reference to a MongoDB Collection. If it does not exist it will be created implicitly.

      Collection namespace validation is performed server-side.

      Type Parameters

      Parameters

      Returns Collection<TSchema>

      return the new Collection instance

      -
    • Execute a command

      +

    Returns Promise<Collection<Document>[]>

    • Execute a command

      Parameters

      Returns Promise<Document>

      This command does not inherit options from the MongoClient.

      The driver will ensure the following fields are attached to the command sent to the server:

        @@ -85,28 +85,28 @@

      Parameters

      • name: string

        Name of the collection to create the index on.

      • indexSpec: IndexSpecification

        Specify the field to index, or an index specification

      • Optionaloptions: CreateIndexesOptions

        Optional settings for the command

        -

      Returns Promise<string>

    • Drop a collection from the database, removing it permanently. New accesses will create a new collection.

      +

    Returns Promise<string>

    • Drop a collection from the database, removing it permanently. New accesses will create a new collection.

      Parameters

      • name: string

        Name of collection to drop

      • Optionaloptions: DropCollectionOptions

        Optional settings for the command

        -

      Returns Promise<boolean>

    • Drop a database, removing it permanently from the server.

      +

    Returns Promise<boolean>

    • Drop a database, removing it permanently from the server.

      Parameters

      Returns Promise<boolean>

    • Retrieves this collections index info.

      +

    Returns Promise<boolean>

    Returns Promise<IndexDescriptionInfo[]>

  • Parameters

    Returns Promise<IndexDescriptionCompact>

  • Parameters

    Returns Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>

  • Parameters

    • name: string

    Returns Promise<IndexDescriptionCompact>

    • Retrieve the current profiling Level for MongoDB

      +
    • options: ListCollectionsOptions & {
          nameOnly: true;
      } & Abortable

      Optional settings for the command

      +

    Returns ListCollectionsCursor<Pick<CollectionInfo, "type" | "name">>

  • Parameters

    Returns ListCollectionsCursor<CollectionInfo>

  • Type Parameters

    Parameters

    Returns ListCollectionsCursor<T>

    • Retrieve the current profiling Level for MongoDB

      Parameters

      Returns Promise<string>

    • Remove a user from a database

      +

    Returns Promise<string>

    • Remove a user from a database

      Parameters

      Returns Promise<boolean>

    Returns Promise<boolean>

    • Rename a collection.

      Type Parameters

      Parameters

      • fromCollection: string

        Name of current collection to rename

      • toCollection: string

        New name of of the collection

      • Optionaloptions: RenameOptions

        Optional settings for the command

      Returns Promise<Collection<TSchema>>

      This operation does not inherit options from the MongoClient.

      -
    • A low level cursor API providing basic driver functionality:

      • ClientSession management
      • ReadPreference for server selection
      • @@ -114,12 +114,12 @@

      Parameters

      • command: Document

        The command that will start a cursor on the server.

      • Optionaloptions: RunCursorCommandOptions

        Configurations for running the command, bson options will apply to getMores

        -

      Returns RunCommandCursor

    • Set the current profiling level of MongoDB

      +

    Returns RunCommandCursor

    • Get all the db statistics.

      +

    Returns Promise<ProfilingLevel>

    Returns Promise<Document>

    +
    diff --git a/docs/Next/classes/ExplainableCursor.html b/docs/Next/classes/ExplainableCursor.html index cd27307dbb8..67406f35a2f 100644 --- a/docs/Next/classes/ExplainableCursor.html +++ b/docs/Next/classes/ExplainableCursor.html @@ -1,5 +1,6 @@ ExplainableCursor | mongodb

    Class ExplainableCursor<TSchema>Abstract

    A base class for any cursors that have explain() methods.

    Type Parameters

    • TSchema

    Hierarchy (view full)

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    -
    captureRejections: boolean

    Value: boolean

    +
    signal: undefined | AbortSignal
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    See how to write a custom rejection handler.

    v13.4.0, v12.16.0

    -
    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single +

    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -93,58 +94,58 @@ regular 'error' listener is installed.

    v13.6.0, v12.17.0

    Accessors

    • get closed(): boolean
    • The cursor is closed and all remaining locally buffered documents have been iterated.

      -

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      +

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      It is non-zero for as long as the database has an open cursor.

      The initiating command may receive a zero id if the entire result is in the firstBatch.

      -

      Returns undefined | Long

    • get killed(): boolean
    • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

      -

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Add a cursor flag to the cursor

      Parameters

      • flag:
            | "tailable"
            | "oplogReplay"
            | "noCursorTimeout"
            | "awaitData"
            | "exhaust"
            | "partial"

        The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      • value: boolean

        The flag boolean value.

        -

      Returns this

    • Alias for emitter.on(eventName, listener).

      +

    Returns this

    Returns this

    Returns this

    Returns this

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/FindCursor.html b/docs/Next/classes/FindCursor.html index 38181293ed7..70a0148231a 100644 --- a/docs/Next/classes/FindCursor.html +++ b/docs/Next/classes/FindCursor.html @@ -1,4 +1,5 @@ -FindCursor | mongodb

    Class FindCursor<TSchema>

    Type Parameters

    • TSchema = any

    Hierarchy (view full)

    Properties

    [asyncDispose] +FindCursor | mongodb

    Class FindCursor<TSchema>

    Type Parameters

    • TSchema = any

    Hierarchy (view full)

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    -
    captureRejections: boolean

    Value: boolean

    +
    signal: undefined | AbortSignal
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    See how to write a custom rejection handler.

    v13.4.0, v12.16.0

    -
    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single +

    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -108,77 +109,77 @@ regular 'error' listener is installed.

    v13.6.0, v12.17.0

    Accessors

    • get closed(): boolean
    • The cursor is closed and all remaining locally buffered documents have been iterated.

      -

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      +

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      It is non-zero for as long as the database has an open cursor.

      The initiating command may receive a zero id if the entire result is in the firstBatch.

      -

      Returns undefined | Long

    • get killed(): boolean
    • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

      -

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Add a cursor flag to the cursor

      Parameters

      • flag:
            | "tailable"
            | "oplogReplay"
            | "noCursorTimeout"
            | "awaitData"
            | "exhaust"
            | "partial"

        The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      • value: boolean

        The flag boolean value.

        -

      Returns this

    • Alias for emitter.on(eventName, listener).

      +

    Returns this

    • Add a query modifier to the cursor query

      Parameters

      • name: string

        The query modifier (must start with $, such as $orderby etc)

      • value:
            | string
            | number
            | boolean
            | Document

        The modifier value.

        -

      Returns this

    • Allows disk use for blocking sort operations exceeding 100MB memory. (MongoDB 3.2 or higher)

      +

    Returns this

    • Set the collation options for the cursor.

      +

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns this

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/FindOperators.html b/docs/Next/classes/FindOperators.html index 29f712286fd..1e9b8ae89c5 100644 --- a/docs/Next/classes/FindOperators.html +++ b/docs/Next/classes/FindOperators.html @@ -1,6 +1,6 @@ FindOperators | mongodb

    Class FindOperators

    A builder object that is returned from BulkOperationBase#find. Is used to build a write operation that involves a query filter.

    -

    Properties

    Properties

    Methods

    Properties

    bulkOperation: BulkOperationBase

    Methods

    • Specifies arrayFilters for UpdateOne or UpdateMany bulk operations.

      -

      Parameters

      Returns this

    • Upsert modifier for update bulk operation, noting that this operation is an upsert.

      -

      Returns this

    +

    Properties

    bulkOperation: BulkOperationBase

    Methods

    • Specifies arrayFilters for UpdateOne or UpdateMany bulk operations.

      +

      Parameters

      Returns this

    • Upsert modifier for update bulk operation, noting that this operation is an upsert.

      +

      Returns this

    diff --git a/docs/Next/classes/GridFSBucket.html b/docs/Next/classes/GridFSBucket.html index f08a52d7a0a..1a4b5d6b59c 100644 --- a/docs/Next/classes/GridFSBucket.html +++ b/docs/Next/classes/GridFSBucket.html @@ -78,46 +78,46 @@ necessary indexes.

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Deletes a file with the given id

      Parameters

      • id: ObjectId

        The id of the file doc

        -
      • Optionaloptions: {
            timeoutMS: number;
        }
        • timeoutMS: number

      Returns Promise<void>

    • Removes this bucket's files collection, followed by its chunks collection.

      -

      Parameters

      • Optionaloptions: {
            timeoutMS: number;
        }
        • timeoutMS: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

    • Optionaloptions: {
          timeoutMS: number;
      }
      • timeoutMS: number

    Returns Promise<void>

    • Removes this bucket's files collection, followed by its chunks collection.

      +

      Parameters

      • Optionaloptions: {
            timeoutMS: number;
        }
        • timeoutMS: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns boolean

      v0.1.26

      -
    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns number

      v3.2.0

      -
    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -132,7 +132,7 @@

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -147,7 +147,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -162,7 +162,7 @@

      Parameters

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -175,7 +175,7 @@

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -188,7 +188,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -201,21 +201,21 @@

      Parameters

      Returns this

      v0.3.0

      -
    • Returns a writable stream (GridFSBucketWriteStream) for writing +

    Returns GridFSBucketWriteStream

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -225,7 +225,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -235,7 +235,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -245,7 +245,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -253,7 +253,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -261,7 +261,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -269,19 +269,19 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns GridFSBucketEvents[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "index"

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -308,7 +308,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "index"

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -335,7 +335,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -362,16 +362,16 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • Renames the file with the given _id to the given string

      Parameters

      • id: ObjectId

        the id of the file to rename

      • filename: string

        new name for the file

        -
      • Optionaloptions: {
            timeoutMS: number;
        }
        • timeoutMS: number

      Returns Promise<void>

    • By default EventEmitters will print a warning if more than 10 listeners are +

    • Optionaloptions: {
          timeoutMS: number;
      }
      • timeoutMS: number

    Returns Promise<void>

    • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • n: number

      Returns this

      v0.3.5

      -
    • Experimental

      Listens once to the abort event on the provided signal.

      Listening to the abort event on abort signals is unsafe and may lead to resource leaks since another third party with the signal can call e.stopImmediatePropagation(). Unfortunately Node.js cannot change diff --git a/docs/Next/classes/GridFSBucketReadStream.html b/docs/Next/classes/GridFSBucketReadStream.html index 0e261a843d1..d99ae08305b 100644 --- a/docs/Next/classes/GridFSBucketReadStream.html +++ b/docs/Next/classes/GridFSBucketReadStream.html @@ -291,7 +291,7 @@

        • (data, options?): void | Promise<void>
        • Parameters

          • data: any
          • Optionaloptions: Pick<ArrayOptions, "signal">

          Returns void | Promise<void>

    • Optionaloptions: ArrayOptions

    Returns Promise<void>

    a promise for when the stream has finished.

    v17.5.0

    • Returns the current max listener value for the EventEmitter which is either -set by emitter.setMaxListeners(n) or defaults to defaultMaxListeners.

      +set by emitter.setMaxListeners(n) or defaults to EventEmitter.defaultMaxListeners.

      Returns number

      v1.0.0

    • The readable.isPaused() method returns the current operating state of the Readable. This is used primarily by the mechanism that underlies the readable.pipe() method. @@ -1169,6 +1169,6 @@

    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} objects.

    Returns void

    v15.4.0

    -
    • Experimental

      A utility method for creating a web ReadableStream from a Readable.

      -

      Parameters

      • streamReadable: Readable

      Returns ReadableStream<any>

      v17.0.0

      +
    • Experimental

      A utility method for creating a web ReadableStream from a Readable.

      +

      Parameters

      • streamReadable: Readable
      • Optionaloptions: {
            strategy?: QueuingStrategy<any>;
        }
        • Optionalstrategy?: QueuingStrategy<any>

      Returns ReadableStream<any>

      v17.0.0

    diff --git a/docs/Next/classes/GridFSBucketWriteStream.html b/docs/Next/classes/GridFSBucketWriteStream.html index cbad49c892d..e2d37a70722 100644 --- a/docs/Next/classes/GridFSBucketWriteStream.html +++ b/docs/Next/classes/GridFSBucketWriteStream.html @@ -262,7 +262,7 @@

    Returns (string | symbol)[]

    v6.0.0

    Returns void

    v15.4.0

    +
    diff --git a/docs/Next/classes/HostAddress.html b/docs/Next/classes/HostAddress.html index 8c1f1e650cc..7c4a62677e7 100644 --- a/docs/Next/classes/HostAddress.html +++ b/docs/Next/classes/HostAddress.html @@ -1,4 +1,4 @@ -HostAddress | mongodb

    Class HostAddress

    Constructors

    constructor +HostAddress | mongodb

    Class HostAddress

    Constructors

    Properties

    Constructors

    Properties

    host: undefined | string = undefined
    isIPv6: boolean = false
    port: undefined | number = undefined
    socketPath: undefined | string = undefined

    Methods

    • Returns {
          host: string;
          port: number;
      }

      • host: string
      • port: number
    +

    Constructors

    Properties

    host: undefined | string = undefined
    isIPv6: boolean = false
    port: undefined | number = undefined
    socketPath: undefined | string = undefined

    Methods

    • Returns {
          host: string;
          port: number;
      }

      • host: string
      • port: number
    diff --git a/docs/Next/classes/ListCollectionsCursor.html b/docs/Next/classes/ListCollectionsCursor.html index 3cd6d15ac36..bcedf716e55 100644 --- a/docs/Next/classes/ListCollectionsCursor.html +++ b/docs/Next/classes/ListCollectionsCursor.html @@ -1,8 +1,9 @@ -ListCollectionsCursor | mongodb

    Class ListCollectionsCursor<T>

    Type Parameters

    Hierarchy (view full)

    Constructors

    constructor +ListCollectionsCursor | mongodb

    Class ListCollectionsCursor<T>

    Type Parameters

    Hierarchy (view full)

    Constructors

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    -
    filter: Document
    parent: Db
    captureRejections: boolean

    Value: boolean

    +

    Constructors

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    +
    filter: Document
    parent: Db
    signal: undefined | AbortSignal
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    See how to write a custom rejection handler.

    v13.4.0, v12.16.0

    -
    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single +

    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -94,57 +95,57 @@ regular 'error' listener is installed.

    v13.6.0, v12.17.0

    Accessors

    • get closed(): boolean
    • The cursor is closed and all remaining locally buffered documents have been iterated.

      -

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      +

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      It is non-zero for as long as the database has an open cursor.

      The initiating command may receive a zero id if the entire result is in the firstBatch.

      -

      Returns undefined | Long

    • get killed(): boolean
    • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

      -

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Add a cursor flag to the cursor

      Parameters

      • flag:
            | "tailable"
            | "oplogReplay"
            | "noCursorTimeout"
            | "awaitData"
            | "exhaust"
            | "partial"

        The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      • value: boolean

        The flag boolean value.

        -

      Returns this

    • Alias for emitter.on(eventName, listener).

      +

    Returns this

    Returns this

    Returns this

    Returns this

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/ListIndexesCursor.html b/docs/Next/classes/ListIndexesCursor.html index 55518a5d515..84eb7c7c7f8 100644 --- a/docs/Next/classes/ListIndexesCursor.html +++ b/docs/Next/classes/ListIndexesCursor.html @@ -2,6 +2,7 @@

    Properties

    [asyncDispose] options? parent +signal captureRejections captureRejectionSymbol CLOSE @@ -57,13 +58,13 @@ once setMaxListeners

    Constructors

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    -
    captureRejections: boolean

    Value: boolean

    +
    signal: undefined | AbortSignal
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    See how to write a custom rejection handler.

    v13.4.0, v12.16.0

    -
    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single +

    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -93,57 +94,57 @@ regular 'error' listener is installed.

    v13.6.0, v12.17.0

    Accessors

    • get closed(): boolean
    • The cursor is closed and all remaining locally buffered documents have been iterated.

      -

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      +

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      It is non-zero for as long as the database has an open cursor.

      The initiating command may receive a zero id if the entire result is in the firstBatch.

      -

      Returns undefined | Long

    • get killed(): boolean
    • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

      -

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Add a cursor flag to the cursor

      Parameters

      • flag:
            | "tailable"
            | "oplogReplay"
            | "noCursorTimeout"
            | "awaitData"
            | "exhaust"
            | "partial"

        The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      • value: boolean

        The flag boolean value.

        -

      Returns this

    • Alias for emitter.on(eventName, listener).

      +

    Returns this

    • Returns a new uninitialized copy of this cursor, with options matching those that have been set on the current instance

      +

    Returns this

    • Frees any client-side resources used by the cursor.

      -

      Parameters

      • Optionaloptions: {
            timeoutMS?: number;
        }
        • OptionaltimeoutMS?: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

      Parameters

      • Optionaloptions: {
            timeoutMS?: number;
        }
        • OptionaltimeoutMS?: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      • EventKey extends "close"

      Parameters

      Returns boolean

      v0.1.26

      -
    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Iterates over all the documents for this cursor using the iterator, callback pattern.

      If the iterator returns false, iteration will stop.

      Parameters

      • iterator: ((doc: any) => boolean | void)

        The iteration callback.

          • (doc): boolean | void
          • Parameters

            • doc: any

            Returns boolean | void

      Returns Promise<void>

      • Will be removed in a future release. Use for await...of instead.
      -
    • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

      Type Parameters

      • EventKey extends "close"

      Parameters

      Returns number

      v3.2.0

      -
    • Map all documents using the provided function If there is a transform set on the cursor, that will be called first and the result passed to this function's transform.

      Type Parameters

      • T = any

      Parameters

      • transform: ((doc: any) => T)

        The mapping transformation method.

        @@ -164,16 +165,16 @@
        const cursor: FindCursor<Document> = coll.find();
        const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
        const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[]
        -
    • Set a maxTimeMS on the cursor query, allowing for hard timeout limits on queries (Only supported on MongoDB 2.6 or higher)

      Parameters

      • value: number

        Number of milliseconds to wait before aborting the query.

        -

      Returns this

    • Alias for emitter.removeListener().

      +

    Returns this

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -188,7 +189,7 @@

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -203,7 +204,7 @@

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -218,7 +219,7 @@

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -231,7 +232,7 @@

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -244,7 +245,7 @@

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -257,7 +258,7 @@

      Returns this

      v0.3.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      • EventKey extends "close"

      Parameters

      Returns AbstractCursorEvents[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "close"

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will remain in effect. Iterating this cursor will cause new queries to be sent to the server, even if the resultant data has already been retrieved by this cursor.

      -

      Returns void

    • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • n: number

      Returns this

      v0.3.5

      -
    • Returns an array of documents. The caller is responsible for making sure that there is enough memory to store the results. Note that the array only contains partial results when this cursor had been previously accessed. In that case, cursor.rewind() can be used to reset the cursor.

      -

      Returns Promise<any[]>

    • Experimental

      Listens once to the abort event on the provided signal.

      +

    Returns this

    • Experimental

      Listens once to the abort event on the provided signal.

      Listening to the abort event on abort signals is unsafe and may lead to resource leaks since another third party with the signal can call e.stopImmediatePropagation(). Unfortunately Node.js cannot change @@ -508,4 +509,4 @@

    • Rest...eventTargets: (EventEmitter<DefaultEventMap> | EventTarget)[]

      Zero or more {EventTarget} or {EventEmitter} instances. If none are specified, n is set as the default max for all newly created {EventTarget} and {EventEmitter} objects.

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/ListSearchIndexesCursor.html b/docs/Next/classes/ListSearchIndexesCursor.html index 0cce9d9ea35..7a9df6a3b4e 100644 --- a/docs/Next/classes/ListSearchIndexesCursor.html +++ b/docs/Next/classes/ListSearchIndexesCursor.html @@ -1,5 +1,6 @@ ListSearchIndexesCursor | mongodb

    Class ListSearchIndexesCursor

    Hierarchy (view full)

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    -
    pipeline: Document[]
    captureRejections: boolean

    Value: boolean

    +
    pipeline: Document[]
    signal: undefined | AbortSignal
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    See how to write a custom rejection handler.

    v13.4.0, v12.16.0

    -
    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single +

    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -105,72 +106,72 @@ regular 'error' listener is installed.

    v13.6.0, v12.17.0

    Accessors

    • get closed(): boolean
    • The cursor is closed and all remaining locally buffered documents have been iterated.

      -

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      +

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      It is non-zero for as long as the database has an open cursor.

      The initiating command may receive a zero id if the entire result is in the firstBatch.

      -

      Returns undefined | Long

    • get killed(): boolean
    • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

      -

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Add a cursor flag to the cursor

      Parameters

      • flag:
            | "tailable"
            | "oplogReplay"
            | "noCursorTimeout"
            | "awaitData"
            | "exhaust"
            | "partial"

        The flag to set, must be one of following ['tailable', 'oplogReplay', 'noCursorTimeout', 'awaitData', 'partial' -.

      • value: boolean

        The flag boolean value.

        -

      Returns this

    • Alias for emitter.on(eventName, listener).

      +

    Returns this

    Returns this

    Returns this

    Returns this

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/MongoAPIError.html b/docs/Next/classes/MongoAPIError.html index 1dc67c305f8..0dee15ba7df 100644 --- a/docs/Next/classes/MongoAPIError.html +++ b/docs/Next/classes/MongoAPIError.html @@ -1,5 +1,5 @@ MongoAPIError | mongodb

    Class MongoAPIError

    An error generated when the driver API is used incorrectly

    -

    Hierarchy (view full)

    Constructors

    Hierarchy (view full)

    Constructors

    Properties

    cause? code? connectionGeneration? @@ -18,11 +18,11 @@

    Meant for internal use only.

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoAPIError

    This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

    -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoAWSError.html b/docs/Next/classes/MongoAWSError.html index 6d990ee614c..c1982f7de8c 100644 --- a/docs/Next/classes/MongoAWSError.html +++ b/docs/Next/classes/MongoAWSError.html @@ -1,6 +1,6 @@ MongoAWSError | mongodb

      Class MongoAWSError

      A error generated when the user attempts to authenticate via AWS, but fails

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string
      • Optionaloptions: {
            cause?: Error;
        }
        • Optionalcause?: Error

      Returns MongoAWSError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoAzureError.html b/docs/Next/classes/MongoAzureError.html index e0320c9e2dd..b92027a133d 100644 --- a/docs/Next/classes/MongoAzureError.html +++ b/docs/Next/classes/MongoAzureError.html @@ -1,6 +1,6 @@ MongoAzureError | mongodb

      Class MongoAzureError

      A error generated when the user attempts to authenticate via Azure, but fails.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoAzureError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoBatchReExecutionError.html b/docs/Next/classes/MongoBatchReExecutionError.html index 315b07f6d06..7ef45a874a4 100644 --- a/docs/Next/classes/MongoBatchReExecutionError.html +++ b/docs/Next/classes/MongoBatchReExecutionError.html @@ -1,6 +1,6 @@ MongoBatchReExecutionError | mongodb

      Class MongoBatchReExecutionError

      An error generated when a batch command is re-executed after one of the commands in the batch has failed

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string = 'This batch has already been executed, create new batch to execute'

      Returns MongoBatchReExecutionError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoBulkWriteError.html b/docs/Next/classes/MongoBulkWriteError.html index bcd888aaf6d..73931203569 100644 --- a/docs/Next/classes/MongoBulkWriteError.html +++ b/docs/Next/classes/MongoBulkWriteError.html @@ -1,5 +1,5 @@ MongoBulkWriteError | mongodb

      Class MongoBulkWriteError

      An error indicating an unsuccessful Bulk Write

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? codeName? @@ -33,19 +33,19 @@

      Meant for internal use only.

      Parameters

      Returns MongoBulkWriteError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    -
    message: string
    ok?: number
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    writeErrors: OneOrMore<WriteError> = []
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    +
    message: string
    ok?: number
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    writeErrors: OneOrMore<WriteError> = []
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get insertedIds(): {
          [key: number]: any;
      }
    • Inserted document generated Id's, hash key is the index of the originating operation

      -

      Returns {
          [key: number]: any;
      }

      • [key: number]: any
    • get matchedCount(): number
    • Number of documents matched for update.

      -

      Returns number

    • get upsertedIds(): {
          [key: number]: any;
      }
    • Upserted document generated Id's, hash key is the index of the originating operation

      -

      Returns {
          [key: number]: any;
      }

      • [key: number]: any

    Methods

    • Checks the error to see if it has an error label

      +

      Returns number

    • get errmsg(): string
    • Legacy name for server error responses

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get insertedIds(): {
          [key: number]: any;
      }
    • Inserted document generated Id's, hash key is the index of the originating operation

      +

      Returns {
          [key: number]: any;
      }

      • [key: number]: any
    • get matchedCount(): number
    • Number of documents matched for update.

      +

      Returns number

    • get upsertedIds(): {
          [key: number]: any;
      }
    • Upserted document generated Id's, hash key is the index of the originating operation

      +

      Returns {
          [key: number]: any;
      }

      • [key: number]: any

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoChangeStreamError.html b/docs/Next/classes/MongoChangeStreamError.html index d3678b1b4c4..2640db8b2c4 100644 --- a/docs/Next/classes/MongoChangeStreamError.html +++ b/docs/Next/classes/MongoChangeStreamError.html @@ -1,5 +1,5 @@ MongoChangeStreamError | mongodb

      Class MongoChangeStreamError

      An error generated when a ChangeStream operation fails to execute.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoChangeStreamError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoClient.html b/docs/Next/classes/MongoClient.html index da6ce431d03..8b090d40b7f 100644 --- a/docs/Next/classes/MongoClient.html +++ b/docs/Next/classes/MongoClient.html @@ -3,15 +3,15 @@
      import { MongoClient } from 'mongodb';

      // Enable command monitoring for debugging
      const client = new MongoClient('mongodb://localhost:27017', { monitorCommands: true });

      client.on('commandStarted', started => console.log(started));
      client.db().collection('pets');
      await client.insertOne({ name: 'spot', kind: 'dog' });
      -

    Hierarchy (view full)

    Implements

    Constructors

    Hierarchy (view full)

    Implements

    Constructors

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for MongoClient.close().

    -
    captureRejections: boolean

    Value: boolean

    +

    Constructors

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for MongoClient.close().

    +
    options: Readonly<Omit<MongoOptions,
        | "ca"
        | "cert"
        | "crl"
        | "key"
        | "monitorCommands">> & Pick<MongoOptions,
        | "ca"
        | "cert"
        | "crl"
        | "key"
        | "monitorCommands">

    The consolidate, parsed, transformed and merged options.

    +
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    v13.6.0, v12.17.0

    -

    Accessors

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    Accessors

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Alias for emitter.on(eventName, listener).

      Type Parameters

      • EventKey extends
            | "error"
            | "timeout"
            | "close"
            | "open"
            | "serverOpening"
            | "serverClosed"
            | "serverDescriptionChanged"
            | "topologyOpening"
            | "topologyClosed"
            | "topologyDescriptionChanged"
            | "connectionPoolCreated"
            | "connectionPoolClosed"
            | "connectionPoolCleared"
            | "connectionPoolReady"
            | "connectionCreated"
            | "connectionReady"
            | "connectionClosed"
            | "connectionCheckOutStarted"
            | "connectionCheckOutFailed"
            | "connectionCheckedOut"
            | "connectionCheckedIn"
            | "commandStarted"
            | "commandSucceeded"
            | "commandFailed"
            | "serverHeartbeatStarted"
            | "serverHeartbeatSucceeded"
            | "serverHeartbeatFailed"

      Parameters

      Returns this

      v0.1.26

      -
    • Alias for emitter.on(eventName, listener).

      +
    • Alias for emitter.on(eventName, listener).

      Parameters

      Returns this

      v0.1.26

      -
    • Alias for emitter.on(eventName, listener).

      +
    • Alias for emitter.on(eventName, listener).

      Parameters

      Returns this

      v0.1.26

      -
    • Cleans up client-side resources used by the MongoCLient and . This includes:

      +
    • Connect to MongoDB using a url

      Returns Promise<MongoClient>

      Calling connect is optional since the first operation you perform will call connect if it's needed. timeoutMS will bound the time any operation can take before throwing a timeout error. However, when the operation being run is automatically connecting your MongoClient the timeoutMS will not apply to the time taken to connect the MongoClient. This means the time to setup the MongoClient does not count against timeoutMS. If you are using timeoutMS we recommend connecting your client explicitly in advance of any operation to avoid this inconsistent execution time.

      -

      docs.mongodb.org/manual/reference/connection-string/

      -
    • Create a new Db instance sharing the current socket connections.

      Parameters

      • OptionaldbName: string

        The name of the database we want to use. If not provided, use database name from connection string.

      • Optionaloptions: DbOptions

        Optional settings for Db construction

        -

      Returns Db

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

    Returns Db

    Parameters

    Returns this

    v0.1.101

    -
  • Adds the listener function to the end of the listeners array for the event +

  • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -176,7 +176,7 @@

    Returns this

    v0.1.101

    -
  • Adds the listener function to the end of the listeners array for the event +

  • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -191,7 +191,7 @@

    Returns this

    v0.1.101

    -
  • Parameters

    Returns this

    v0.3.0

    -
  • Adds a one-time listener function for the event named eventName. The +

  • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -217,7 +217,7 @@

    Returns this

    v0.3.0

    -
  • Adds a one-time listener function for the event named eventName. The +

  • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

    server.once('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -230,7 +230,7 @@

    Returns this

    v0.3.0

    -
  • Parameters

    Returns this

    v6.0.0

    -
  • Adds the listener function to the beginning of the listeners array for the +

  • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -250,7 +250,7 @@

    Returns this

    v6.0.0

    -
  • Adds the listener function to the beginning of the listeners array for the +

  • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

    @@ -260,7 +260,7 @@

    Returns this

    v6.0.0

    -
  • Parameters

    Returns this

    v6.0.0

    -
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -276,7 +276,7 @@

    Returns this

    v6.0.0

    -
  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

  • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

    server.prependOnceListener('connection', (stream) => {
    console.log('Ah, we have our first user!');
    });
    @@ -284,19 +284,19 @@

    Returns this

    v6.0.0

    -
  • Parameters

    Returns this

    v0.1.26

    -
  • Removes the specified listener from the listener array for the event named eventName.

    +
  • Removes the specified listener from the listener array for the event named eventName.

    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback);
    @@ -350,7 +350,7 @@

    Returns this

    v0.1.26

    -
  • Removes the specified listener from the listener array for the event named eventName.

    +
  • Removes the specified listener from the listener array for the event named eventName.

    const callback = (stream) => {
    console.log('someone connected!');
    };
    server.on('connection', callback);
    // ...
    server.removeListener('connection', callback);
    @@ -377,17 +377,17 @@

    Returns this

    v0.1.26

    -
  • Returns Promise<T>

  • Type Parameters

    Parameters

    Returns Promise<T>

  • Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/MongoClientBulkWriteCursorError.html b/docs/Next/classes/MongoClientBulkWriteCursorError.html index e282047c9ca..70a1c693b26 100644 --- a/docs/Next/classes/MongoClientBulkWriteCursorError.html +++ b/docs/Next/classes/MongoClientBulkWriteCursorError.html @@ -1,5 +1,5 @@ MongoClientBulkWriteCursorError | mongodb

    Class MongoClientBulkWriteCursorError

    An error indicating that an error occurred when processing bulk write results.

    -

    Hierarchy (view full)

    Constructors

    Hierarchy (view full)

    Constructors

    Properties

    cause? code? connectionGeneration? @@ -18,11 +18,11 @@

    Meant for internal use only.

    Parameters

    • message: string

    Returns MongoClientBulkWriteCursorError

    This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

    -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    Returns MongoClientBulkWriteError

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    +
    message: string
    ok?: number
    partialResult?: ClientBulkWriteResult

    The results of any successful operations that were performed before the error was encountered.

    -
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    writeConcernErrors: Document[]

    Write concern errors that occurred while executing the bulk write. This list may have +

    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    writeConcernErrors: Document[]

    Write concern errors that occurred while executing the bulk write. This list may have multiple items if more than one server command was required to execute the bulk write.

    -
    writeErrors: Map<number, ClientBulkWriteError>

    Errors that occurred during the execution of individual write operations. This map will +

    writeErrors: Map<number, ClientBulkWriteError>

    Errors that occurred during the execution of individual write operations. This map will contain at most one entry if the bulk write was ordered.

    -
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoClientBulkWriteExecutionError.html b/docs/Next/classes/MongoClientBulkWriteExecutionError.html index 1ac1d9aef5f..ebee4aa070f 100644 --- a/docs/Next/classes/MongoClientBulkWriteExecutionError.html +++ b/docs/Next/classes/MongoClientBulkWriteExecutionError.html @@ -1,5 +1,5 @@ MongoClientBulkWriteExecutionError | mongodb

      Class MongoClientBulkWriteExecutionError

      An error indicating that an error occurred on the client when executing a client bulk write.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoClientBulkWriteExecutionError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCompatibilityError.html b/docs/Next/classes/MongoCompatibilityError.html index 8b188d3481e..c096127c504 100644 --- a/docs/Next/classes/MongoCompatibilityError.html +++ b/docs/Next/classes/MongoCompatibilityError.html @@ -1,6 +1,6 @@ MongoCompatibilityError | mongodb

      Class MongoCompatibilityError

      An error generated when a feature that is not enabled or allowed for the current server configuration is used

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoCompatibilityError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCryptAzureKMSRequestError.html b/docs/Next/classes/MongoCryptAzureKMSRequestError.html index d3588a2fc97..4f3c1128684 100644 --- a/docs/Next/classes/MongoCryptAzureKMSRequestError.html +++ b/docs/Next/classes/MongoCryptAzureKMSRequestError.html @@ -20,11 +20,11 @@

      Parameters

      Returns MongoCryptAzureKMSRequestError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

    Properties

    body?: Document

    The body of the http response that failed, if present.

    -
    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +
    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCryptCreateDataKeyError.html b/docs/Next/classes/MongoCryptCreateDataKeyError.html index 465549d0db3..8590d86d170 100644 --- a/docs/Next/classes/MongoCryptCreateDataKeyError.html +++ b/docs/Next/classes/MongoCryptCreateDataKeyError.html @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • encryptedFields: Document
      • __namedParameters: {
            cause: Error;
        }
        • cause: Error

      Returns MongoCryptCreateDataKeyError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    encryptedFields: Document
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    encryptedFields: Document
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCryptCreateEncryptedCollectionError.html b/docs/Next/classes/MongoCryptCreateEncryptedCollectionError.html index 3fd083111d1..d956d83ffae 100644 --- a/docs/Next/classes/MongoCryptCreateEncryptedCollectionError.html +++ b/docs/Next/classes/MongoCryptCreateEncryptedCollectionError.html @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • encryptedFields: Document
      • __namedParameters: {
            cause: Error;
        }
        • cause: Error

      Returns MongoCryptCreateEncryptedCollectionError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    encryptedFields: Document
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    encryptedFields: Document
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCryptError.html b/docs/Next/classes/MongoCryptError.html index ea776f82623..5f0d6166437 100644 --- a/docs/Next/classes/MongoCryptError.html +++ b/docs/Next/classes/MongoCryptError.html @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string
      • options: {
            cause?: Error;
        } = {}
        • Optionalcause?: Error

      Returns MongoCryptError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCryptInvalidArgumentError.html b/docs/Next/classes/MongoCryptInvalidArgumentError.html index ee8b11a4a76..da59487ffb5 100644 --- a/docs/Next/classes/MongoCryptInvalidArgumentError.html +++ b/docs/Next/classes/MongoCryptInvalidArgumentError.html @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoCryptInvalidArgumentError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCryptKMSRequestNetworkTimeoutError.html b/docs/Next/classes/MongoCryptKMSRequestNetworkTimeoutError.html index cdfad3bedb8..ffe275333d4 100644 --- a/docs/Next/classes/MongoCryptKMSRequestNetworkTimeoutError.html +++ b/docs/Next/classes/MongoCryptKMSRequestNetworkTimeoutError.html @@ -17,11 +17,11 @@

      Meant for internal use only.

      Parameters

      • message: string
      • options: {
            cause?: Error;
        } = {}
        • Optionalcause?: Error

      Returns MongoCryptKMSRequestNetworkTimeoutError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCursorExhaustedError.html b/docs/Next/classes/MongoCursorExhaustedError.html index 00a9eeff740..87054604abb 100644 --- a/docs/Next/classes/MongoCursorExhaustedError.html +++ b/docs/Next/classes/MongoCursorExhaustedError.html @@ -1,5 +1,5 @@ MongoCursorExhaustedError | mongodb

      Class MongoCursorExhaustedError

      An error thrown when an attempt is made to read from a cursor that has been exhausted

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • Optionalmessage: string

      Returns MongoCursorExhaustedError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoCursorInUseError.html b/docs/Next/classes/MongoCursorInUseError.html index de68d24fdf1..add883d3d28 100644 --- a/docs/Next/classes/MongoCursorInUseError.html +++ b/docs/Next/classes/MongoCursorInUseError.html @@ -1,6 +1,6 @@ MongoCursorInUseError | mongodb

      Class MongoCursorInUseError

      An error thrown when the user attempts to add options to a cursor that has already been initialized

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string = 'Cursor is already initialized'

      Returns MongoCursorInUseError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    Constructors

    Properties

    collection: string

    collection name

    +
    db: string

    database name

    +

    Methods

    diff --git a/docs/Next/classes/MongoDBNamespace.html b/docs/Next/classes/MongoDBNamespace.html index 0656f27379b..667bca5e6a5 100644 --- a/docs/Next/classes/MongoDBNamespace.html +++ b/docs/Next/classes/MongoDBNamespace.html @@ -1,4 +1,4 @@ -MongoDBNamespace | mongodb

    Class MongoDBNamespace

    Hierarchy (view full)

    Constructors

    constructor +MongoDBNamespace | mongodb

    Class MongoDBNamespace

    Hierarchy (view full)

    Constructors

    Properties

    Methods

    toString @@ -7,6 +7,6 @@

    Constructors

    Properties

    collection?: string

    collection name

    -
    db: string

    database name

    -

    Methods

    +

    Returns MongoDBNamespace

    Properties

    collection?: string

    collection name

    +
    db: string

    database name

    +

    Methods

    diff --git a/docs/Next/classes/MongoDecompressionError.html b/docs/Next/classes/MongoDecompressionError.html index 3179aaeb4bf..a468b0b910e 100644 --- a/docs/Next/classes/MongoDecompressionError.html +++ b/docs/Next/classes/MongoDecompressionError.html @@ -1,6 +1,6 @@ MongoDecompressionError | mongodb

    Class MongoDecompressionError

    An error generated when the driver fails to decompress data received from the server.

    -

    Hierarchy (view full)

    Constructors

    Hierarchy (view full)

    Constructors

    Properties

    cause? code? connectionGeneration? @@ -19,11 +19,11 @@

    Meant for internal use only.

    Parameters

    • message: string

    Returns MongoDecompressionError

    This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

    -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoError.html b/docs/Next/classes/MongoError.html index 28325183fd6..b7d4de29ce7 100644 --- a/docs/Next/classes/MongoError.html +++ b/docs/Next/classes/MongoError.html @@ -1,4 +1,4 @@ -MongoError | mongodb

      Class MongoError

      Hierarchy (view full)

      Constructors

      constructor +MongoError | mongodb

      Class MongoError

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -17,11 +17,11 @@

      Meant for internal use only.

      Parameters

      • message: string
      • Optionaloptions: {
            cause?: Error;
        }
        • Optionalcause?: Error

      Returns MongoError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    Methods

    • Parameters

      • label: string

      Returns void

    • Checks the error to see if it has an error label

      +

      Returns string

    Methods

    • Parameters

      • label: string

      Returns void

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoExpiredSessionError.html b/docs/Next/classes/MongoExpiredSessionError.html index 4856177e89f..31b421042d5 100644 --- a/docs/Next/classes/MongoExpiredSessionError.html +++ b/docs/Next/classes/MongoExpiredSessionError.html @@ -1,6 +1,6 @@ MongoExpiredSessionError | mongodb

      Class MongoExpiredSessionError

      An error generated when the user attempts to operate on a session that has expired or has been closed.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string = 'Cannot use a session that has ended'

      Returns MongoExpiredSessionError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoGCPError.html b/docs/Next/classes/MongoGCPError.html index 0b8204554cd..18284713e88 100644 --- a/docs/Next/classes/MongoGCPError.html +++ b/docs/Next/classes/MongoGCPError.html @@ -1,6 +1,6 @@ MongoGCPError | mongodb

      Class MongoGCPError

      A error generated when the user attempts to authenticate via GCP, but fails.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoGCPError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoGridFSChunkError.html b/docs/Next/classes/MongoGridFSChunkError.html index 3d1f7e2ea2e..4cc080de568 100644 --- a/docs/Next/classes/MongoGridFSChunkError.html +++ b/docs/Next/classes/MongoGridFSChunkError.html @@ -1,6 +1,6 @@ MongoGridFSChunkError | mongodb

      Class MongoGridFSChunkError

      An error generated when a malformed or invalid chunk is encountered when reading from a GridFSStream.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoGridFSChunkError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoGridFSStreamError.html b/docs/Next/classes/MongoGridFSStreamError.html index a5b044629b6..5f8f318db11 100644 --- a/docs/Next/classes/MongoGridFSStreamError.html +++ b/docs/Next/classes/MongoGridFSStreamError.html @@ -1,5 +1,5 @@ MongoGridFSStreamError | mongodb

      Class MongoGridFSStreamError

      An error generated when a GridFSStream operation fails to execute.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoGridFSStreamError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoInvalidArgumentError.html b/docs/Next/classes/MongoInvalidArgumentError.html index 48577aebc00..d167b9ca133 100644 --- a/docs/Next/classes/MongoInvalidArgumentError.html +++ b/docs/Next/classes/MongoInvalidArgumentError.html @@ -1,6 +1,6 @@ MongoInvalidArgumentError | mongodb

      Class MongoInvalidArgumentError

      An error generated when the user supplies malformed or unexpected arguments or when a required argument or field is not provided.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string
      • Optionaloptions: {
            cause?: Error;
        }
        • Optionalcause?: Error

      Returns MongoInvalidArgumentError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoKerberosError.html b/docs/Next/classes/MongoKerberosError.html index dc198cd526e..6f54310fdc4 100644 --- a/docs/Next/classes/MongoKerberosError.html +++ b/docs/Next/classes/MongoKerberosError.html @@ -1,6 +1,6 @@ MongoKerberosError | mongodb

      Class MongoKerberosError

      A error generated when the user attempts to authenticate via Kerberos, but fails to connect to the Kerberos client.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoKerberosError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoMissingCredentialsError.html b/docs/Next/classes/MongoMissingCredentialsError.html index 3335d22d0a7..711cfde1987 100644 --- a/docs/Next/classes/MongoMissingCredentialsError.html +++ b/docs/Next/classes/MongoMissingCredentialsError.html @@ -1,6 +1,6 @@ MongoMissingCredentialsError | mongodb

      Class MongoMissingCredentialsError

      An error generated when the user fails to provide authentication credentials before attempting to connect to a mongo server instance.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoMissingCredentialsError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoMissingDependencyError.html b/docs/Next/classes/MongoMissingDependencyError.html index 9ac7ee4a126..dd0719563e3 100644 --- a/docs/Next/classes/MongoMissingDependencyError.html +++ b/docs/Next/classes/MongoMissingDependencyError.html @@ -1,5 +1,5 @@ MongoMissingDependencyError | mongodb

      Class MongoMissingDependencyError

      An error generated when a required module or dependency is not present in the local environment

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause code? connectionGeneration? @@ -19,12 +19,12 @@

      Meant for internal use only.

      Parameters

      • message: string
      • options: {
            cause: Error;
            dependencyName: string;
        }
        • cause: Error
        • dependencyName: string

      Returns MongoMissingDependencyError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause: Error

    This property is assigned in the Error constructor.

    -
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    dependencyName: string
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause: Error

    This property is assigned in the Error constructor.

    +
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    dependencyName: string
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoNetworkError.html b/docs/Next/classes/MongoNetworkError.html index 82fdf277444..0f072607ef6 100644 --- a/docs/Next/classes/MongoNetworkError.html +++ b/docs/Next/classes/MongoNetworkError.html @@ -1,5 +1,5 @@ MongoNetworkError | mongodb

      Class MongoNetworkError

      An error indicating an issue with the network, including TCP errors and timeouts.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      Returns MongoNetworkError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoNetworkTimeoutError.html b/docs/Next/classes/MongoNetworkTimeoutError.html index 6f04b91b27e..c5f4abb1898 100644 --- a/docs/Next/classes/MongoNetworkTimeoutError.html +++ b/docs/Next/classes/MongoNetworkTimeoutError.html @@ -1,5 +1,5 @@ MongoNetworkTimeoutError | mongodb

      Class MongoNetworkTimeoutError

      An error indicating a network timeout occurred

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      Returns MongoNetworkTimeoutError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoNotConnectedError.html b/docs/Next/classes/MongoNotConnectedError.html index 336de473267..78256b2cd7e 100644 --- a/docs/Next/classes/MongoNotConnectedError.html +++ b/docs/Next/classes/MongoNotConnectedError.html @@ -1,6 +1,6 @@ MongoNotConnectedError | mongodb

      Class MongoNotConnectedError

      An error thrown when the user attempts to operate on a database or collection through a MongoClient that has not yet successfully called the "connect" method

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoNotConnectedError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoOIDCError.html b/docs/Next/classes/MongoOIDCError.html index 715b150992d..2f9614c2cb6 100644 --- a/docs/Next/classes/MongoOIDCError.html +++ b/docs/Next/classes/MongoOIDCError.html @@ -1,6 +1,6 @@ MongoOIDCError | mongodb

      Class MongoOIDCError

      A error generated when the user attempts to authenticate via OIDC callbacks, but fails.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoOIDCError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoOperationTimeoutError.html b/docs/Next/classes/MongoOperationTimeoutError.html index e0a9f02aa19..aa0b0f6affe 100644 --- a/docs/Next/classes/MongoOperationTimeoutError.html +++ b/docs/Next/classes/MongoOperationTimeoutError.html @@ -1,7 +1,7 @@ MongoOperationTimeoutError | mongodb

      Class MongoOperationTimeoutError

      try {
      await blogs.insertOne(blogPost, { timeoutMS: 60_000 })
      } catch (error) {
      if (error instanceof MongoOperationTimeoutError) {
      console.log(`Oh no! writer's block!`, error);
      }
      }
      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -20,11 +20,11 @@

      Meant for internal use only.

      Parameters

      • message: string
      • Optionaloptions: {
            cause?: Error;
        }
        • Optionalcause?: Error

      Returns MongoOperationTimeoutError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoParseError.html b/docs/Next/classes/MongoParseError.html index 1b1f13a2188..07fcf83149d 100644 --- a/docs/Next/classes/MongoParseError.html +++ b/docs/Next/classes/MongoParseError.html @@ -1,5 +1,5 @@ MongoParseError | mongodb

      Class MongoParseError

      An error used when attempting to parse a value (like a connection string)

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoParseError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoServerClosedError.html b/docs/Next/classes/MongoServerClosedError.html index c4e68a537a5..f2d6df4499a 100644 --- a/docs/Next/classes/MongoServerClosedError.html +++ b/docs/Next/classes/MongoServerClosedError.html @@ -1,6 +1,6 @@ MongoServerClosedError | mongodb

      Class MongoServerClosedError

      An error generated when an attempt is made to operate on a closed/closing server.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string = 'Server is closed'

      Returns MongoServerClosedError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    -
    message: string
    ok?: number
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    +
    message: string
    ok?: number
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoServerSelectionError.html b/docs/Next/classes/MongoServerSelectionError.html index edfa7b61d9e..31ddc7b5bee 100644 --- a/docs/Next/classes/MongoServerSelectionError.html +++ b/docs/Next/classes/MongoServerSelectionError.html @@ -1,5 +1,5 @@ MongoServerSelectionError | mongodb

      Class MongoServerSelectionError

      An error signifying a client-side server selection error

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,12 +19,12 @@

      Meant for internal use only.

      Parameters

      Returns MongoServerSelectionError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string

    An optional reason context, such as an error saved during flow of monitoring and selecting servers

    -
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string

    An optional reason context, such as an error saved during flow of monitoring and selecting servers

    +
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string

    An optional reason context, such as an error saved during flow of monitoring and selecting servers

    -
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string

    An optional reason context, such as an error saved during flow of monitoring and selecting servers

    +
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoTailableCursorError.html b/docs/Next/classes/MongoTailableCursorError.html index c265849329e..488f95132b5 100644 --- a/docs/Next/classes/MongoTailableCursorError.html +++ b/docs/Next/classes/MongoTailableCursorError.html @@ -1,5 +1,5 @@ MongoTailableCursorError | mongodb

      Class MongoTailableCursorError

      An error thrown when the user calls a function or method not supported on a tailable cursor

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -18,11 +18,11 @@

      Meant for internal use only.

      Parameters

      • message: string = 'Tailable cursor does not support this operation'

      Returns MongoTailableCursorError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoTopologyClosedError.html b/docs/Next/classes/MongoTopologyClosedError.html index 4800760b510..baf179db417 100644 --- a/docs/Next/classes/MongoTopologyClosedError.html +++ b/docs/Next/classes/MongoTopologyClosedError.html @@ -1,6 +1,6 @@ MongoTopologyClosedError | mongodb

      Class MongoTopologyClosedError

      An error generated when an attempt is made to operate on a dropped, or otherwise unavailable, database.

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string = 'Topology is closed'

      Returns MongoTopologyClosedError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoTransactionError.html b/docs/Next/classes/MongoTransactionError.html index 7a0d6720a72..1f49e6dce50 100644 --- a/docs/Next/classes/MongoTransactionError.html +++ b/docs/Next/classes/MongoTransactionError.html @@ -1,6 +1,6 @@ MongoTransactionError | mongodb

      Class MongoTransactionError

      An error generated when the user makes a mistake in the usage of transactions. (e.g. attempting to commit a transaction with a readPreference other than primary)

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? connectionGeneration? @@ -19,11 +19,11 @@

      Meant for internal use only.

      Parameters

      • message: string

      Returns MongoTransactionError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoUnexpectedServerResponseError.html b/docs/Next/classes/MongoUnexpectedServerResponseError.html index 4bcb0ec6102..409954de35f 100644 --- a/docs/Next/classes/MongoUnexpectedServerResponseError.html +++ b/docs/Next/classes/MongoUnexpectedServerResponseError.html @@ -7,7 +7,7 @@ selection returns a server that does not support retryable operations, this error is used. This scenario is unlikely as retryable support would also have been determined on the first attempt but it is possible the state change could report a selectable server that does not support retries.

      -

    Hierarchy (view full)

    Constructors

    Hierarchy (view full)

    Constructors

    Properties

    cause? code? connectionGeneration? @@ -26,11 +26,11 @@

    Meant for internal use only.

    Parameters

    • message: string
    • Optionaloptions: {
          cause?: Error;
      }
      • Optionalcause?: Error

    Returns MongoUnexpectedServerResponseError

    This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

    -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    connectionGeneration?: number
    message: string
    stack?: string
    topologyVersion?: TopologyVersion
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/MongoWriteConcernError.html b/docs/Next/classes/MongoWriteConcernError.html index 791b66aec12..165afc548d8 100644 --- a/docs/Next/classes/MongoWriteConcernError.html +++ b/docs/Next/classes/MongoWriteConcernError.html @@ -1,5 +1,5 @@ MongoWriteConcernError | mongodb

      Class MongoWriteConcernError

      An error thrown when the server reports a writeConcernError

      -

      Hierarchy (view full)

      Constructors

      Hierarchy (view full)

      Constructors

      Properties

      cause? code? codeName? @@ -24,13 +24,13 @@

      Meant for internal use only.

      Parameters

      Returns MongoWriteConcernError

      This class is only meant to be constructed within the driver. This constructor is not subject to semantic versioning compatibility guarantees and may change at any time.

      -

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    -
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    -
    message: string
    ok?: number
    result: Document

    The result document

    -
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    +

    Properties

    cause?: Error
    code?: string | number

    This is a number in MongoServerError and a string in MongoDriverError

    +
    codeName?: string
    connectionGeneration?: number
    errInfo?: Document
    errorResponse: ErrorDescription

    Raw error result document returned by server.

    +
    message: string
    ok?: number
    result: Document

    The result document

    +
    stack?: string
    topologyVersion?: TopologyVersion
    writeConcernError?: Document
    prepareStackTrace?: ((err: Error, stackTraces: CallSite[]) => any)

    Optional override for formatting stack traces

    stackTraceLimit: number

    Accessors

    • get errmsg(): string
    • Legacy name for server error responses

      -

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      +

      Returns string

    • get errorLabels(): string[]
    • Returns string[]

    • get name(): string
    • Returns string

    Methods

    • Checks the error to see if it has an error label

      Parameters

      • label: string

        The error label to check for

      Returns boolean

      returns true if the error has the provided error label

    • Create .stack property on a target object

      diff --git a/docs/Next/classes/OrderedBulkOperation.html b/docs/Next/classes/OrderedBulkOperation.html index 9d131063987..8b78ff1d07f 100644 --- a/docs/Next/classes/OrderedBulkOperation.html +++ b/docs/Next/classes/OrderedBulkOperation.html @@ -9,14 +9,14 @@ find insert raw -

    Properties

    isOrdered: boolean
    operationId?: number

    Accessors

    Methods

    • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. +

    Properties

    isOrdered: boolean
    operationId?: number

    Accessors

    Methods

    • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. Returns a builder object used to complete the definition of the operation.

      Parameters

      Returns FindOperators

      const bulkOp = collection.initializeOrderedBulkOp();

      // Add an updateOne to the bulkOp
      bulkOp.find({ a: 1 }).updateOne({ $set: { b: 2 } });

      // Add an updateMany to the bulkOp
      bulkOp.find({ c: 3 }).update({ $set: { d: 4 } });

      // Add an upsert
      bulkOp.find({ e: 5 }).upsert().updateOne({ $set: { f: 6 } });

      // Add a deletion
      bulkOp.find({ g: 7 }).deleteOne();

      // Add a multi deletion
      bulkOp.find({ h: 8 }).delete();

      // Add a replaceOne
      bulkOp.find({ i: 9 }).replaceOne({writeConcern: { j: 10 }});

      // Update using a pipeline (requires Mongodb 4.2 or higher)
      bulk.find({ k: 11, y: { $exists: true }, z: { $exists: true } }).updateOne([
      { $set: { total: { $sum: [ '$y', '$z' ] } } }
      ]);

      // All of the ops will now be executed
      await bulkOp.execute();
      -
    +
    diff --git a/docs/Next/classes/RunCommandCursor.html b/docs/Next/classes/RunCommandCursor.html index c54693f2c17..e9523ca32fa 100644 --- a/docs/Next/classes/RunCommandCursor.html +++ b/docs/Next/classes/RunCommandCursor.html @@ -1,6 +1,7 @@ RunCommandCursor | mongodb

    Class RunCommandCursor

    Hierarchy (view full)

    Properties

    [asyncDispose]: (() => Promise<void>)

    An alias for AbstractCursor.close|AbstractCursor.close().

    -
    command: Readonly<Record<string, any>>
    getMoreOptions: {
        batchSize?: number;
        comment?: any;
        maxAwaitTimeMS?: number;
    } = {}
    captureRejections: boolean

    Value: boolean

    +
    command: Readonly<Record<string, any>>
    getMoreOptions: {
        batchSize?: number;
        comment?: any;
        maxAwaitTimeMS?: number;
    } = {}
    signal: undefined | AbortSignal
    captureRejections: boolean

    Value: boolean

    Change the default captureRejections option on all new EventEmitter objects.

    v13.4.0, v12.16.0

    captureRejectionSymbol: typeof captureRejectionSymbol

    Value: Symbol.for('nodejs.rejection')

    See how to write a custom rejection handler.

    v13.4.0, v12.16.0

    -
    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single +

    CLOSE: "close" = ...
    defaultMaxListeners: number

    By default, a maximum of 10 listeners can be registered for any single event. This limit can be changed for individual EventEmitter instances using the emitter.setMaxListeners(n) method. To change the default for allEventEmitter instances, the events.defaultMaxListeners property @@ -95,54 +96,54 @@ regular 'error' listener is installed.

    v13.6.0, v12.17.0

    Accessors

    • get closed(): boolean
    • The cursor is closed and all remaining locally buffered documents have been iterated.

      -

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      +

      Returns boolean

    • get id(): undefined | Long
    • The cursor has no id until it receives a response from the initial cursor creating command.

      It is non-zero for as long as the database has an open cursor.

      The initiating command may receive a zero id if the entire result is in the firstBatch.

      -

      Returns undefined | Long

    • get killed(): boolean
    • A killCursors command was attempted on this cursor. This is performed if the cursor id is non zero.

      -

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Unsupported for RunCommandCursor: various cursor flags must be configured directly on command document

      +

      Returns boolean

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Frees any client-side resources used by the cursor.

      -

      Parameters

      • Optionaloptions: {
            timeoutMS?: number;
        }
        • OptionaltimeoutMS?: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

      Parameters

      • Optionaloptions: {
            timeoutMS?: number;
        }
        • OptionaltimeoutMS?: number

      Returns Promise<void>

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      • EventKey extends "close"

      Parameters

      Returns boolean

      v0.1.26

      -
    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Iterates over all the documents for this cursor using the iterator, callback pattern.

      If the iterator returns false, iteration will stop.

      Parameters

      • iterator: ((doc: any) => boolean | void)

        The iteration callback.

          • (doc): boolean | void
          • Parameters

            • doc: any

            Returns boolean | void

      Returns Promise<void>

      • Will be removed in a future release. Use for await...of instead.
      -
    • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

      Type Parameters

      • EventKey extends "close"

      Parameters

      Returns number

      v3.2.0

      -
    • Map all documents using the provided function If there is a transform set on the cursor, that will be called first and the result passed to this function's transform.

      Type Parameters

      • T = any

      Parameters

      • transform: ((doc: any) => T)

        The mapping transformation method.

        @@ -163,15 +164,15 @@
        const cursor: FindCursor<Document> = coll.find();
        const mappedCursor: FindCursor<number> = cursor.map(doc => Object.keys(doc).length);
        const keyCounts: number[] = await mappedCursor.toArray(); // cursor.toArray() still returns Document[]
        -
    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -186,7 +187,7 @@

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -201,7 +202,7 @@

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -216,7 +217,7 @@

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -229,7 +230,7 @@

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -242,7 +243,7 @@

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -255,7 +256,7 @@

      Returns this

      v0.3.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      • EventKey extends "close"

      Parameters

      Returns AbstractCursorEvents[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends "close"

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Rewind this cursor to its uninitialized state. Any options that are present on the cursor will remain in effect. Iterating this cursor will cause new queries to be sent to the server, even if the resultant data has already been retrieved by this cursor.

      -

      Returns void

    • Controls the getMore.batchSize field

      Parameters

      • batchSize: number

        the number documents to return in the nextBatch

      Returns this

    • Controls the getMore.maxTimeMS field. Only valid when cursor is tailable await

      Parameters

      • maxTimeMS: number

        the number of milliseconds to wait for new data

        -

      Returns this

    • Returns an array of documents. The caller is responsible for making sure that there +

    Returns this

    Returns this

    Returns void

    v15.4.0

    -
    +
    diff --git a/docs/Next/classes/ServerCapabilities.html b/docs/Next/classes/ServerCapabilities.html index 076b79eb1fd..e9373b479e0 100644 --- a/docs/Next/classes/ServerCapabilities.html +++ b/docs/Next/classes/ServerCapabilities.html @@ -1,4 +1,4 @@ -ServerCapabilities | mongodb

    Class ServerCapabilities

    Constructors

    constructor +ServerCapabilities | mongodb

    Class ServerCapabilities

    Constructors

    Properties

    maxWireVersion: number
    minWireVersion: number

    Accessors

    +

    Constructors

    Properties

    maxWireVersion: number
    minWireVersion: number

    Accessors

    diff --git a/docs/Next/classes/ServerDescription.html b/docs/Next/classes/ServerDescription.html index 8f0bfdc6b2a..c056d166954 100644 --- a/docs/Next/classes/ServerDescription.html +++ b/docs/Next/classes/ServerDescription.html @@ -38,9 +38,9 @@
    maxMessageSizeBytes: null | number

    The max message size in bytes for the server.

    maxWireVersion: number
    maxWriteBatchSize: null | number

    The max number of writes in a bulk write command.

    me: null | string
    minRoundTripTime: number

    The minimum measurement of the last 10 measurements of roundTripTime that have been collected

    -
    minWireVersion: number
    passives: string[]
    primary: null | string
    roundTripTime: number
    setName: null | string
    setVersion: null | number
    tags: TagSet
    topologyVersion: null | TopologyVersion
    type: ServerType

    Accessors

    Methods

    • Determines if another ServerDescription is equal to this one per the rules defined in the SDAM specification.

      +
    minWireVersion: number
    passives: string[]
    primary: null | string
    roundTripTime: number
    setName: null | string
    setVersion: null | number
    tags: TagSet
    topologyVersion: null | TopologyVersion

    Accessors

    Methods

    +
    diff --git a/docs/Next/classes/ServerSession.html b/docs/Next/classes/ServerSession.html index ca7070965b0..05e6c2ba44f 100644 --- a/docs/Next/classes/ServerSession.html +++ b/docs/Next/classes/ServerSession.html @@ -1,10 +1,10 @@ ServerSession | mongodb

    Class ServerSession

    Reflects the existence of a session on the server. Can be reused by the session pool. WARNING: not meant to be instantiated directly. For internal use only.

    -

    Properties

    id +

    Properties

    isDirty: boolean
    lastUse: number
    txnNumber: number

    Methods

    • Determines if the server session has timed out.

      +

    Properties

    isDirty: boolean
    lastUse: number
    txnNumber: number

    Methods

    • Determines if the server session has timed out.

      Parameters

      • sessionTimeoutMinutes: number

        The server's "logicalSessionTimeoutMinutes"

        -

      Returns boolean

    +

    Returns boolean

    diff --git a/docs/Next/classes/TypedEventEmitter.html b/docs/Next/classes/TypedEventEmitter.html index 3c5ab0493d2..734f797aa16 100644 --- a/docs/Next/classes/TypedEventEmitter.html +++ b/docs/Next/classes/TypedEventEmitter.html @@ -1,5 +1,5 @@ TypedEventEmitter | mongodb

    Class TypedEventEmitter<Events>

    Typescript type safe event emitter

    -

    Type Parameters

    Hierarchy (view full)

    Constructors

    Type Parameters

    Hierarchy (view full)

    Constructors

    Properties

    v13.6.0, v12.17.0

    Methods

    • Type Parameters

      • K

      Parameters

      • error: Error
      • event: string | symbol
      • Rest...args: AnyRest

      Returns void

    • Alias for emitter.on(eventName, listener).

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v0.1.26

      -
    • Alias for emitter.on(eventName, listener).

      +
    • Alias for emitter.on(eventName, listener).

      Parameters

      Returns this

      v0.1.26

      -
    • Alias for emitter.on(eventName, listener).

      +
    • Alias for emitter.on(eventName, listener).

      Parameters

      Returns this

      v0.1.26

      -
    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments +

    • Synchronously calls each of the listeners registered for the event named eventName, in the order they were registered, passing the supplied arguments to each.

      Returns true if the event had listeners, false otherwise.

      import { EventEmitter } from 'node:events';
      const myEmitter = new EventEmitter();

      // First listener
      myEmitter.on('event', function firstListener() {
      console.log('Helloooo! first listener');
      });
      // Second listener
      myEmitter.on('event', function secondListener(arg1, arg2) {
      console.log(`event with parameters ${arg1}, ${arg2} in second listener`);
      });
      // Third listener
      myEmitter.on('event', function thirdListener(...args) {
      const parameters = args.join(', ');
      console.log(`event with parameters ${parameters} in third listener`);
      });

      console.log(myEmitter.listeners('event'));

      myEmitter.emit('event', 1, 2, 3, 4, 5);

      // Prints:
      // [
      // [Function: firstListener],
      // [Function: secondListener],
      // [Function: thirdListener]
      // ]
      // Helloooo! first listener
      // event with parameters 1, 2 in second listener
      // event with parameters 1, 2, 3, 4, 5 in third listener

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns boolean

      v0.1.26

      -
    • Returns an array listing the events for which the emitter has registered +

    • Returns an array listing the events for which the emitter has registered listeners. The values in the array are strings or Symbols.

      import { EventEmitter } from 'node:events';

      const myEE = new EventEmitter();
      myEE.on('foo', () => {});
      myEE.on('bar', () => {});

      const sym = Symbol('symbol');
      myEE.on(sym, () => {});

      console.log(myEE.eventNames());
      // Prints: [ 'foo', 'bar', Symbol(symbol) ]

      Returns string[]

      v6.0.0

      -
    • Returns the current max listener value for the EventEmitter which is either -set by emitter.setMaxListeners(n) or defaults to defaultMaxListeners.

      +
    • Returns the current max listener value for the EventEmitter which is either +set by emitter.setMaxListeners(n) or defaults to EventEmitter.defaultMaxListeners.

      Returns number

      v1.0.0

      -
    • Returns the number of listeners listening for the event named eventName. +

    • Returns the number of listeners listening for the event named eventName. If listener is provided, it will return how many times the listener is found in the list of the listeners of the event.

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns number

      v3.2.0

      -
    • Returns a copy of the array of listeners for the event named eventName.

      server.on('connection', (stream) => {
      console.log('someone connected!');
      });
      console.log(util.inspect(server.listeners('connection')));
      // Prints: [ [Function] ]

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns Events[EventKey][]

      v0.1.26

      -
    • Alias for emitter.removeListener().

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v10.0.0

      -
    • Alias for emitter.removeListener().

      +
    • Alias for emitter.removeListener().

      Parameters

      Returns this

      v10.0.0

      -
    • Alias for emitter.removeListener().

      +
    • Alias for emitter.removeListener().

      Parameters

      Returns this

      v10.0.0

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -114,7 +114,7 @@

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -129,7 +129,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.1.101

      -
    • Adds the listener function to the end of the listeners array for the event +

    • Adds the listener function to the end of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -144,7 +144,7 @@

      Parameters

      Returns this

      v0.1.101

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -157,7 +157,7 @@

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -170,7 +170,7 @@

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v0.3.0

      -
    • Adds a one-time listener function for the event named eventName. The +

    • Adds a one-time listener function for the event named eventName. The next time eventName is triggered, this listener is removed and then invoked.

      server.once('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -183,7 +183,7 @@

      Parameters

      Returns this

      v0.3.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -193,7 +193,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -203,7 +203,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds the listener function to the beginning of the listeners array for the +

    • Adds the listener function to the beginning of the listeners array for the event named eventName. No checks are made to see if the listener has already been added. Multiple calls passing the same combination of eventName and listener will result in the listener being added, and called, multiple times.

      @@ -213,7 +213,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -221,7 +221,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -229,7 +229,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • event: CommonEvents
      • listener: ((eventName: string | symbol, listener: GenericListener) => void)

        The callback function

          • (eventName, listener): void
          • Parameters

            Returns void

      Returns this

      v6.0.0

      -
    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this +

    • Adds a one-timelistener function for the event named eventName to the beginning of the listeners array. The next time eventName is triggered, this listener is removed, and then invoked.

      server.prependOnceListener('connection', (stream) => {
      console.log('Ah, we have our first user!');
      });
      @@ -237,19 +237,19 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v6.0.0

      -
    • Returns a copy of the array of listeners for the event named eventName, including any wrappers (such as those created by .once()).

      import { EventEmitter } from 'node:events';
      const emitter = new EventEmitter();
      emitter.once('log', () => console.log('log once'));

      // Returns a new Array with a function `onceWrapper` which has a property
      // `listener` which contains the original listener bound above
      const listeners = emitter.rawListeners('log');
      const logFnWrapper = listeners[0];

      // Logs "log once" to the console and does not unbind the `once` event
      logFnWrapper.listener();

      // Logs "log once" to the console and removes the listener
      logFnWrapper();

      emitter.on('log', () => console.log('log persistently'));
      // Will return a new Array with a single function bound by `.on()` above
      const newListeners = emitter.rawListeners('log');

      // Logs "log persistently" twice
      newListeners[0]();
      emitter.emit('log');

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns Events[EventKey][]

      v9.4.0

      -
    • Removes all listeners, or those of the specified eventName.

      +
    • Removes all listeners, or those of the specified eventName.

      It is bad practice to remove listeners added elsewhere in the code, particularly when the EventEmitter instance was created by some other component or module (e.g. sockets or file streams).

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      • Optionalevent: string | symbol | EventKey

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -276,7 +276,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Type Parameters

      • EventKey extends string | number | symbol

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -303,7 +303,7 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • Removes the specified listener from the listener array for the event named eventName.

      +
    • Removes the specified listener from the listener array for the event named eventName.

      const callback = (stream) => {
      console.log('someone connected!');
      };
      server.on('connection', callback);
      // ...
      server.removeListener('connection', callback);
      @@ -330,13 +330,13 @@

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      Returns this

      v0.1.26

      -
    • By default EventEmitters will print a warning if more than 10 listeners are +

    • By default EventEmitters will print a warning if more than 10 listeners are added for a particular event. This is a useful default that helps finding memory leaks. The emitter.setMaxListeners() method allows the limit to be modified for this specific EventEmitter instance. The value can be set to Infinity (or 0) to indicate an unlimited number of listeners.

      Returns a reference to the EventEmitter, so that calls can be chained.

      Parameters

      • n: number

      Returns this

      v0.3.5

      -
    • Experimental

      Listens once to the abort event on the provided signal.

      +
    • Experimental

      Listens once to the abort event on the provided signal.

      Listening to the abort event on abort signals is unsafe and may lead to resource leaks since another third party with the signal can call e.stopImmediatePropagation(). Unfortunately Node.js cannot change diff --git a/docs/Next/classes/UnorderedBulkOperation.html b/docs/Next/classes/UnorderedBulkOperation.html index 076d1d752be..b83ddb43ff1 100644 --- a/docs/Next/classes/UnorderedBulkOperation.html +++ b/docs/Next/classes/UnorderedBulkOperation.html @@ -9,14 +9,14 @@ find insert raw -

    Properties

    isOrdered: boolean
    operationId?: number

    Accessors

    Methods

    • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. +

    Properties

    isOrdered: boolean
    operationId?: number

    Accessors

    Methods

    • Builds a find operation for an update/updateOne/delete/deleteOne/replaceOne. Returns a builder object used to complete the definition of the operation.

      Parameters

      Returns FindOperators

      const bulkOp = collection.initializeOrderedBulkOp();

      // Add an updateOne to the bulkOp
      bulkOp.find({ a: 1 }).updateOne({ $set: { b: 2 } });

      // Add an updateMany to the bulkOp
      bulkOp.find({ c: 3 }).update({ $set: { d: 4 } });

      // Add an upsert
      bulkOp.find({ e: 5 }).upsert().updateOne({ $set: { f: 6 } });

      // Add a deletion
      bulkOp.find({ g: 7 }).deleteOne();

      // Add a multi deletion
      bulkOp.find({ h: 8 }).delete();

      // Add a replaceOne
      bulkOp.find({ i: 9 }).replaceOne({writeConcern: { j: 10 }});

      // Update using a pipeline (requires Mongodb 4.2 or higher)
      bulk.find({ k: 11, y: { $exists: true }, z: { $exists: true } }).updateOne([
      { $set: { total: { $sum: [ '$y', '$z' ] } } }
      ]);

      // All of the ops will now be executed
      await bulkOp.execute();
      -
    +
    diff --git a/docs/Next/classes/WriteConcernError.html b/docs/Next/classes/WriteConcernError.html index 6501193bd75..d17d48e0200 100644 --- a/docs/Next/classes/WriteConcernError.html +++ b/docs/Next/classes/WriteConcernError.html @@ -1,11 +1,11 @@ WriteConcernError | mongodb

    Class WriteConcernError

    An error representing a failure by the server to apply the requested write concern to the bulk operation.

    -

    Constructors

    Constructors

    Accessors

    Methods

    Constructors

    Accessors

    • get code(): undefined | number
    • Write concern error code.

      -

      Returns undefined | number

    • get errmsg(): undefined | string
    • Write concern error message.

      -

      Returns undefined | string

    Methods

    +

    Constructors

    Accessors

    • get code(): undefined | number
    • Write concern error code.

      +

      Returns undefined | number

    • get errmsg(): undefined | string
    • Write concern error message.

      +

      Returns undefined | string

    Methods

    diff --git a/docs/Next/classes/WriteError.html b/docs/Next/classes/WriteError.html index 7582ca27081..aa30457c230 100644 --- a/docs/Next/classes/WriteError.html +++ b/docs/Next/classes/WriteError.html @@ -1,5 +1,5 @@ WriteError | mongodb

    Class WriteError

    An error that occurred during a BulkWrite on the server.

    -

    Constructors

    Constructors

    Properties

    Accessors

    code errInfo @@ -8,9 +8,9 @@

    Methods

    Constructors

    Properties

    Accessors

    • get errmsg(): undefined | string
    • WriteError message.

      -

      Returns undefined | string

    Methods

    • Returns {
          code: number;
          errmsg?: string;
          index: number;
          op: Document;
      }

      • code: number
      • Optionalerrmsg?: string
      • index: number
      • op: Document
    +

    Constructors

    Properties

    Accessors

    • get errmsg(): undefined | string
    • WriteError message.

      +

      Returns undefined | string

    Methods

    • Returns {
          code: number;
          errmsg?: string;
          index: number;
          op: Document;
      }

      • code: number
      • Optionalerrmsg?: string
      • index: number
      • op: Document
    diff --git a/docs/Next/hierarchy.html b/docs/Next/hierarchy.html index 4b8457220ca..1ed0cb670d9 100644 --- a/docs/Next/hierarchy.html +++ b/docs/Next/hierarchy.html @@ -1 +1 @@ -mongodb

    mongodb

    Class Hierarchy

    +mongodb

    mongodb

    Class Hierarchy

    diff --git a/docs/Next/index.html b/docs/Next/index.html index f7781043cc1..07c8dcda7a4 100644 --- a/docs/Next/index.html +++ b/docs/Next/index.html @@ -99,7 +99,8 @@ mongodb@3.x mongodb@4.x mongodb@5.x -mongodb@6.x +mongodb@<6.12 +mongodb@>=6.12 @@ -109,6 +110,7 @@ ^4.0.0 ^5.0.0 ^6.0.0 +^6.0.0 bson-ext @@ -116,6 +118,7 @@ ^4.0.0 N/A N/A +N/A kerberos @@ -123,6 +126,7 @@ ^1.0.0 || ^2.0.0 ^1.0.0 || ^2.0.0 ^2.0.1 +^2.0.1 mongodb-client-encryption @@ -130,6 +134,7 @@ ^1.0.0 || ^2.0.0 ^2.3.0 ^6.0.0 +^6.0.0 mongodb-legacy @@ -137,6 +142,7 @@ ^4.0.0 ^5.0.0 ^6.0.0 +^6.0.0 @mongodb-js/zstd @@ -144,6 +150,7 @@ ^1.0.0 ^1.0.0 ^1.1.0 +^1.1.0 || ^2.0.0 diff --git a/docs/Next/interfaces/AWSEncryptionKeyOptions.html b/docs/Next/interfaces/AWSEncryptionKeyOptions.html index 8b1ce5d1318..f3f8931a037 100644 --- a/docs/Next/interfaces/AWSEncryptionKeyOptions.html +++ b/docs/Next/interfaces/AWSEncryptionKeyOptions.html @@ -1,8 +1,8 @@ AWSEncryptionKeyOptions | mongodb

    Interface AWSEncryptionKeyOptions

    Configuration options for making an AWS encryption key

    -
    interface AWSEncryptionKeyOptions {
        endpoint?: string;
        key: string;
        region: string;
    }

    Properties

    interface AWSEncryptionKeyOptions {
        endpoint?: string;
        key: string;
        region: string;
    }

    Properties

    Properties

    endpoint?: string

    An alternate host to send KMS requests to. May include port number.

    -
    key: string

    The Amazon Resource Name (ARN) to the AWS customer master key (CMK)

    -
    region: string

    The AWS region of the KMS

    -
    +
    key: string

    The Amazon Resource Name (ARN) to the AWS customer master key (CMK)

    +
    region: string

    The AWS region of the KMS

    +
    diff --git a/docs/Next/interfaces/AbstractCursorOptions.html b/docs/Next/interfaces/AbstractCursorOptions.html index b6ea5ed3980..fd4195b0fde 100644 --- a/docs/Next/interfaces/AbstractCursorOptions.html +++ b/docs/Next/interfaces/AbstractCursorOptions.html @@ -1,4 +1,4 @@ -AbstractCursorOptions | mongodb

    Interface AbstractCursorOptions

    interface AbstractCursorOptions {
        awaitData?: boolean;
        batchSize?: number;
        bsonRegExp?: boolean;
        checkKeys?: boolean;
        comment?: unknown;
        enableUtf8Validation?: boolean;
        fieldsAsRaw?: Document;
        ignoreUndefined?: boolean;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noCursorTimeout?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        serializeFunctions?: boolean;
        session?: ClientSession;
        tailable?: boolean;
        timeoutMode?: CursorTimeoutMode;
        timeoutMS?: number;
        useBigInt64?: boolean;
    }

    Hierarchy (view full)

    Properties

    awaitData? +AbstractCursorOptions | mongodb

    Interface AbstractCursorOptions

    interface AbstractCursorOptions {
        awaitData?: boolean;
        batchSize?: number;
        bsonRegExp?: boolean;
        checkKeys?: boolean;
        comment?: unknown;
        enableUtf8Validation?: boolean;
        fieldsAsRaw?: Document;
        ignoreUndefined?: boolean;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noCursorTimeout?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        serializeFunctions?: boolean;
        session?: ClientSession;
        tailable?: boolean;
        timeoutMode?: CursorTimeoutMode;
        timeoutMS?: number;
        useBigInt64?: boolean;
    }

    Hierarchy (view full)

    Properties

    awaitData? batchSize? bsonRegExp? checkKeys? @@ -25,8 +25,8 @@ MongoDB blocks the query thread for a period of time waiting for new data to arrive. When new data is inserted into the capped collection, the blocked thread is signaled to wake up and return the next batch to the client.

    -
    batchSize?: number

    Specifies the number of documents to return in each response from MongoDB

    -
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    +
    batchSize?: number

    Specifies the number of documents to return in each response from MongoDB

    +
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    false

    checkKeys?: boolean

    the serializer will check if keys are valid.

    false

    @@ -34,7 +34,7 @@

    In server versions pre-4.4, 'comment' must be string. A server error will be thrown if any other type is provided.

    In server versions 4.4 and above, 'comment' can be any valid BSON type.

    -
    enableUtf8Validation?: boolean

    Enable utf8 validation when deserializing BSON documents. Defaults to true.

    +
    enableUtf8Validation?: boolean

    Enable utf8 validation when deserializing BSON documents. Defaults to true.

    fieldsAsRaw?: Document

    allow to specify if there what fields we wish to return as unserialized raw buffer.

    null

    ignoreUndefined?: boolean

    serialize will not emit undefined fields @@ -42,9 +42,9 @@

    true

    maxAwaitTimeMS?: number

    When applicable maxAwaitTimeMS controls the amount of time subsequent getMores that a cursor uses to fetch more data should take. (ex. cursor.next())

    -
    maxTimeMS?: number

    When applicable maxTimeMS controls the amount of time the initial command +

    maxTimeMS?: number

    When applicable maxTimeMS controls the amount of time the initial command that constructs a cursor should take. (ex. find, aggregate, listCollections)

    -
    noCursorTimeout?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noCursorTimeout?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -61,13 +61,13 @@

    Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). It does correctly work at Db, Collection, and per operation the same as other BSON options work.

    -
    readConcern?: ReadConcernLike
    readPreference?: ReadPreferenceLike
    serializeFunctions?: boolean

    serialize the javascript functions

    +
    readConcern?: ReadConcernLike
    readPreference?: ReadPreferenceLike
    serializeFunctions?: boolean

    serialize the javascript functions

    false

    -
    session?: ClientSession
    tailable?: boolean

    By default, MongoDB will automatically close a cursor when the +

    session?: ClientSession
    tailable?: boolean

    By default, MongoDB will automatically close a cursor when the client has exhausted all results in the cursor. However, for capped collections you may use a Tailable Cursor that remains open after the client exhausts the results in the initial cursor.

    -
    timeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +

    timeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' When set to 'iteration', the deadline specified by timeoutMS applies to each call of cursor.next(). When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

    @@ -81,7 +81,7 @@
    const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
    const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms.
    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    diff --git a/docs/Next/interfaces/AggregateOptions.html b/docs/Next/interfaces/AggregateOptions.html index ba02e2ff185..ea370d7be8d 100644 --- a/docs/Next/interfaces/AggregateOptions.html +++ b/docs/Next/interfaces/AggregateOptions.html @@ -58,7 +58,7 @@
    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxAwaitTimeMS?: number

    The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query.

    maxTimeMS?: number

    Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -77,12 +77,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/AggregationCursorOptions.html b/docs/Next/interfaces/AggregationCursorOptions.html index 36c080fb454..8580fac5932 100644 --- a/docs/Next/interfaces/AggregationCursorOptions.html +++ b/docs/Next/interfaces/AggregationCursorOptions.html @@ -1,4 +1,4 @@ -AggregationCursorOptions | mongodb

    Interface AggregationCursorOptions

    interface AggregationCursorOptions {
        allowDiskUse?: boolean;
        authdb?: string;
        awaitData?: boolean;
        batchSize?: number;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        cursor?: Document;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        hint?: Hint;
        ignoreUndefined?: boolean;
        let?: Document;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noCursorTimeout?: boolean;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        out?: string;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        tailable?: boolean;
        timeoutMode?: CursorTimeoutMode;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    allowDiskUse? +AggregationCursorOptions | mongodb

    Interface AggregationCursorOptions

    interface AggregationCursorOptions {
        allowDiskUse?: boolean;
        authdb?: string;
        awaitData?: boolean;
        batchSize?: number;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        cursor?: Document;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        hint?: Hint;
        ignoreUndefined?: boolean;
        let?: Document;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noCursorTimeout?: boolean;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        out?: string;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        tailable?: boolean;
        timeoutMode?: CursorTimeoutMode;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    allowDiskUse? authdb? awaitData? batchSize? @@ -41,8 +41,8 @@ MongoDB blocks the query thread for a period of time waiting for new data to arrive. When new data is inserted into the capped collection, the blocked thread is signaled to wake up and return the next batch to the client.

    -
    batchSize?: number

    Specifies the number of documents to return in each response from MongoDB

    -
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    +
    batchSize?: number

    Specifies the number of documents to return in each response from MongoDB

    +
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    false

    bypassDocumentValidation?: boolean

    Allow driver to bypass schema validation.

    checkKeys?: boolean

    the serializer will check if keys are valid.

    @@ -52,7 +52,7 @@

    In server versions pre-4.4, 'comment' must be string. A server error will be thrown if any other type is provided.

    In server versions 4.4 and above, 'comment' can be any valid BSON type.

    -
    cursor?: Document

    Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.

    +
    cursor?: Document

    Return the query as cursor, on 2.6 > it returns as a real cursor on pre 2.6 it returns as an emulated cursor.

    dbName?: string
    enableUtf8Validation?: boolean

    Enable utf8 validation when deserializing BSON documents. Defaults to true.

    Specifies the verbosity mode for the explain output.

    This API is deprecated in favor of collection.aggregate().explain() @@ -66,9 +66,9 @@

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxAwaitTimeMS?: number

    When applicable maxAwaitTimeMS controls the amount of time subsequent getMores that a cursor uses to fetch more data should take. (ex. cursor.next())

    -
    maxTimeMS?: number

    When applicable maxTimeMS controls the amount of time the initial command +

    maxTimeMS?: number

    When applicable maxTimeMS controls the amount of time the initial command that constructs a cursor should take. (ex. find, aggregate, listCollections)

    -
    noCursorTimeout?: boolean
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noCursorTimeout?: boolean
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -86,16 +86,16 @@

    Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). It does correctly work at Db, Collection, and per operation the same as other BSON options work.

    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    -
    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    tailable?: boolean

    By default, MongoDB will automatically close a cursor when the +

    tailable?: boolean

    By default, MongoDB will automatically close a cursor when the client has exhausted all results in the cursor. However, for capped collections you may use a Tailable Cursor that remains open after the client exhausts the results in the initial cursor.

    -
    timeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +

    timeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' When set to 'iteration', the deadline specified by timeoutMS applies to each call of cursor.next(). When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

    @@ -109,8 +109,8 @@
    const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
    const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms.
    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean

    Write Concern as an object

    +
    willRetryWrite?: boolean

    Write Concern as an object

    diff --git a/docs/Next/interfaces/Auth.html b/docs/Next/interfaces/Auth.html index 984067a49a4..a5151e7cbfb 100644 --- a/docs/Next/interfaces/Auth.html +++ b/docs/Next/interfaces/Auth.html @@ -1,5 +1,5 @@ -Auth | mongodb

    Interface Auth

    interface Auth {
        password?: string;
        username?: string;
    }

    Properties

    password? +Auth | mongodb

    Interface Auth

    interface Auth {
        password?: string;
        username?: string;
    }

    Properties

    Properties

    password?: string

    The password for auth

    -
    username?: string

    The username for auth

    -
    +
    username?: string

    The username for auth

    +
    diff --git a/docs/Next/interfaces/AutoEncryptionOptions.html b/docs/Next/interfaces/AutoEncryptionOptions.html index 7718c89a5b8..69750663e87 100644 --- a/docs/Next/interfaces/AutoEncryptionOptions.html +++ b/docs/Next/interfaces/AutoEncryptionOptions.html @@ -1,4 +1,4 @@ -AutoEncryptionOptions | mongodb

    Interface AutoEncryptionOptions

    interface AutoEncryptionOptions {
        bypassAutoEncryption?: boolean;
        bypassQueryAnalysis?: boolean;
        encryptedFieldsMap?: Document;
        extraOptions?: {
            cryptSharedLibPath?: string;
            cryptSharedLibRequired?: boolean;
            mongocryptdBypassSpawn?: boolean;
            mongocryptdSpawnArgs?: string[];
            mongocryptdSpawnPath?: string;
            mongocryptdURI?: string;
        };
        keyVaultClient?: MongoClient;
        keyVaultNamespace?: string;
        kmsProviders?: KMSProviders;
        options?: {
            logger?: ((level: AutoEncryptionLoggerLevel, message: string) => void);
        };
        proxyOptions?: ProxyOptions;
        schemaMap?: Document;
        tlsOptions?: CSFLEKMSTlsOptions;
    }

    Properties

    bypassAutoEncryption? +AutoEncryptionOptions | mongodb

    Interface AutoEncryptionOptions

    interface AutoEncryptionOptions {
        bypassAutoEncryption?: boolean;
        bypassQueryAnalysis?: boolean;
        encryptedFieldsMap?: Document;
        extraOptions?: {
            cryptSharedLibPath?: string;
            cryptSharedLibRequired?: boolean;
            mongocryptdBypassSpawn?: boolean;
            mongocryptdSpawnArgs?: string[];
            mongocryptdSpawnPath?: string;
            mongocryptdURI?: string;
        };
        keyVaultClient?: MongoClient;
        keyVaultNamespace?: string;
        kmsProviders?: KMSProviders;
        options?: {
            logger?: ((level: AutoEncryptionLoggerLevel, message: string) => void);
        };
        proxyOptions?: ProxyOptions;
        schemaMap?: Document;
        tlsOptions?: CSFLEKMSTlsOptions;
    }

    Properties

    bypassAutoEncryption?: boolean

    Allows the user to bypass auto encryption, maintaining implicit decryption

    -
    bypassQueryAnalysis?: boolean

    Allows users to bypass query analysis

    -
    encryptedFieldsMap?: Document

    Supply a schema for the encrypted fields in the document

    -
    extraOptions?: {
        cryptSharedLibPath?: string;
        cryptSharedLibRequired?: boolean;
        mongocryptdBypassSpawn?: boolean;
        mongocryptdSpawnArgs?: string[];
        mongocryptdSpawnPath?: string;
        mongocryptdURI?: string;
    }

    Type declaration

    bypassQueryAnalysis?: boolean

    Allows users to bypass query analysis

    +
    encryptedFieldsMap?: Document

    Supply a schema for the encrypted fields in the document

    +
    extraOptions?: {
        cryptSharedLibPath?: string;
        cryptSharedLibRequired?: boolean;
        mongocryptdBypassSpawn?: boolean;
        mongocryptdSpawnArgs?: string[];
        mongocryptdSpawnPath?: string;
        mongocryptdURI?: string;
    }

    Type declaration

    • OptionalcryptSharedLibPath?: string

      Full path to a MongoDB Crypt shared library to be used (instead of mongocryptd).

      This needs to be the path to the file itself, not a directory. It can be an absolute or relative path. If the path is relative and its first component is $ORIGIN, it will be replaced by the directory @@ -36,14 +36,14 @@

    • OptionalmongocryptdSpawnPath?: string

      The path to the mongocryptd executable on the system

    • OptionalmongocryptdURI?: string

      A local process the driver communicates with to determine how to encrypt values in a command. Defaults to "mongodb://%2Fvar%2Fmongocryptd.sock" if domain sockets are available or "mongodb://localhost:27020" otherwise

      -
    keyVaultClient?: MongoClient

    A MongoClient used to fetch keys from a key vault

    -
    keyVaultNamespace?: string

    The namespace where keys are stored in the key vault

    -
    kmsProviders?: KMSProviders

    Configuration options that are used by specific KMS providers during key generation, encryption, and decryption.

    -
    options?: {
        logger?: ((level: AutoEncryptionLoggerLevel, message: string) => void);
    }

    Type declaration

    • Optionallogger?: ((level: AutoEncryptionLoggerLevel, message: string) => void)

      An optional hook to catch logging messages from the underlying encryption engine

      -
    proxyOptions?: ProxyOptions
    schemaMap?: Document

    A map of namespaces to a local JSON schema for encryption

    +
    keyVaultClient?: MongoClient

    A MongoClient used to fetch keys from a key vault

    +
    keyVaultNamespace?: string

    The namespace where keys are stored in the key vault

    +
    kmsProviders?: KMSProviders

    Configuration options that are used by specific KMS providers during key generation, encryption, and decryption.

    +
    options?: {
        logger?: ((level: AutoEncryptionLoggerLevel, message: string) => void);
    }

    Type declaration

    • Optionallogger?: ((level: AutoEncryptionLoggerLevel, message: string) => void)

      An optional hook to catch logging messages from the underlying encryption engine

      +
    proxyOptions?: ProxyOptions
    schemaMap?: Document

    A map of namespaces to a local JSON schema for encryption

    NOTE: Supplying options.schemaMap provides more security than relying on JSON Schemas obtained from the server. It protects against a malicious server advertising a false JSON Schema, which could trick the client into sending decrypted data that should be encrypted. Schemas supplied in the schemaMap only apply to configuring automatic encryption for Client-Side Field Level Encryption. Other validation rules in the JSON schema will not be enforced by the driver and will result in an error.

    -
    tlsOptions?: CSFLEKMSTlsOptions

    The TLS options to use connecting to the KMS provider

    -
    +
    tlsOptions?: CSFLEKMSTlsOptions

    The TLS options to use connecting to the KMS provider

    +
    diff --git a/docs/Next/interfaces/AzureEncryptionKeyOptions.html b/docs/Next/interfaces/AzureEncryptionKeyOptions.html index 13a5c5d082e..df29ce3f80f 100644 --- a/docs/Next/interfaces/AzureEncryptionKeyOptions.html +++ b/docs/Next/interfaces/AzureEncryptionKeyOptions.html @@ -1,8 +1,8 @@ AzureEncryptionKeyOptions | mongodb

    Interface AzureEncryptionKeyOptions

    Configuration options for making an Azure encryption key

    -
    interface AzureEncryptionKeyOptions {
        keyName: string;
        keyVaultEndpoint: string;
        keyVersion?: string;
    }

    Properties

    interface AzureEncryptionKeyOptions {
        keyName: string;
        keyVaultEndpoint: string;
        keyVersion?: string;
    }

    Properties

    keyName: string

    Key name

    -
    keyVaultEndpoint: string

    Key vault URL, typically <name>.vault.azure.net

    -
    keyVersion?: string

    Key version

    -
    +
    keyVaultEndpoint: string

    Key vault URL, typically <name>.vault.azure.net

    +
    keyVersion?: string

    Key version

    +
    diff --git a/docs/Next/interfaces/BulkWriteOperationError.html b/docs/Next/interfaces/BulkWriteOperationError.html index 4a47b40fee6..c1349d161f6 100644 --- a/docs/Next/interfaces/BulkWriteOperationError.html +++ b/docs/Next/interfaces/BulkWriteOperationError.html @@ -1,6 +1,6 @@ -BulkWriteOperationError | mongodb

    Interface BulkWriteOperationError

    interface BulkWriteOperationError {
        code: number;
        errInfo: Document;
        errmsg: string;
        index: number;
        op: Document | DeleteStatement | UpdateStatement;
    }

    Properties

    code +BulkWriteOperationError | mongodb

    Interface BulkWriteOperationError

    interface BulkWriteOperationError {
        code: number;
        errInfo: Document;
        errmsg: string;
        index: number;
        op: Document | DeleteStatement | UpdateStatement;
    }

    Properties

    Properties

    code: number
    errInfo: Document
    errmsg: string
    index: number
    +

    Properties

    code: number
    errInfo: Document
    errmsg: string
    index: number
    diff --git a/docs/Next/interfaces/BulkWriteOptions.html b/docs/Next/interfaces/BulkWriteOptions.html index f748c71e8d4..83f6212cb9a 100644 --- a/docs/Next/interfaces/BulkWriteOptions.html +++ b/docs/Next/interfaces/BulkWriteOptions.html @@ -1,4 +1,4 @@ -BulkWriteOptions | mongodb

    Interface BulkWriteOptions

    interface BulkWriteOptions {
        authdb?: string;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        forceServerObjectId?: boolean;
        ignoreUndefined?: boolean;
        let?: Document;
        maxTimeMS?: number;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        ordered?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    authdb? +BulkWriteOptions | mongodb

    Interface BulkWriteOptions

    interface BulkWriteOptions {
        authdb?: string;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        forceServerObjectId?: boolean;
        ignoreUndefined?: boolean;
        let?: Document;
        maxTimeMS?: number;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        ordered?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    false

    bypassDocumentValidation?: boolean

    Allow driver to bypass schema validation.

    false - documents will be validated by default

    -
    checkKeys?: boolean

    the serializer will check if keys are valid.

    +
    checkKeys?: boolean

    the serializer will check if keys are valid.

    false

    collation?: CollationOptions

    Collation

    comment?: unknown

    Comment to apply to the operation.

    @@ -45,15 +45,15 @@

    null

    forceServerObjectId?: boolean

    Force server to assign _id values instead of driver.

    false - the driver generates _id fields by default

    -
    ignoreUndefined?: boolean

    serialize will not emit undefined fields +

    ignoreUndefined?: boolean

    serialize will not emit undefined fields note that the driver sets this to false

    true

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    -
    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    ordered?: boolean

    If true, when an insert fails, don't execute the remaining writes. +

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    ordered?: boolean

    If true, when an insert fails, don't execute the remaining writes. If false, continue with remaining inserts when one fails.

    true - inserts are ordered by default

    -
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean

    Write Concern as an object

    +
    willRetryWrite?: boolean

    Write Concern as an object

    diff --git a/docs/Next/interfaces/ChangeStreamCollModDocument.html b/docs/Next/interfaces/ChangeStreamCollModDocument.html index d01afe92842..be9d274fc5f 100644 --- a/docs/Next/interfaces/ChangeStreamCollModDocument.html +++ b/docs/Next/interfaces/ChangeStreamCollModDocument.html @@ -1,6 +1,6 @@ ChangeStreamCollModDocument | mongodb

    Interface ChangeStreamCollModDocument

    Only present when the showExpandedEvents flag is enabled.

    interface ChangeStreamCollModDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationType: "modify";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamCollModDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationType: "modify";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationType: "modify"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    operationType: "modify"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamCreateDocument.html b/docs/Next/interfaces/ChangeStreamCreateDocument.html index 9bd7664a975..5f7df9d5a00 100644 --- a/docs/Next/interfaces/ChangeStreamCreateDocument.html +++ b/docs/Next/interfaces/ChangeStreamCreateDocument.html @@ -1,31 +1,34 @@ ChangeStreamCreateDocument | mongodb

    Interface ChangeStreamCreateDocument

    interface ChangeStreamCreateDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationType: "create";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamCreateDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        nsType?: "timeseries" | "collection" | "view";
        operationType: "create";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationType: "create"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    nsType?: "timeseries" | "collection" | "view"

    The type of the newly created object.

    +

    8.1.0

    +
    operationType: "create"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamCreateIndexDocument.html b/docs/Next/interfaces/ChangeStreamCreateIndexDocument.html index b10ac15b1ec..441a2c27155 100644 --- a/docs/Next/interfaces/ChangeStreamCreateIndexDocument.html +++ b/docs/Next/interfaces/ChangeStreamCreateIndexDocument.html @@ -1,6 +1,6 @@ ChangeStreamCreateIndexDocument | mongodb

    Interface ChangeStreamCreateIndexDocument

    Only present when the showExpandedEvents flag is enabled.

    interface ChangeStreamCreateIndexDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationDescription?: Document;
        operationType: "createIndexes";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamCreateIndexDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationDescription?: Document;
        operationType: "createIndexes";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationDescription?: Document

    An description of the operation.

    +
    operationDescription?: Document

    An description of the operation.

    Only present when the showExpandedEvents flag is enabled.

    6.1.0

    -
    operationType: "createIndexes"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    operationType: "createIndexes"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDeleteDocument.html b/docs/Next/interfaces/ChangeStreamDeleteDocument.html index f6c1d3a7595..ded0355552c 100644 --- a/docs/Next/interfaces/ChangeStreamDeleteDocument.html +++ b/docs/Next/interfaces/ChangeStreamDeleteDocument.html @@ -1,5 +1,5 @@ ChangeStreamDeleteDocument | mongodb

    Interface ChangeStreamDeleteDocument<TSchema>

    interface ChangeStreamDeleteDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocumentBeforeChange?: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "delete";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamDeleteDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocumentBeforeChange?: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "delete";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. +

    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. For sharded collections, this will contain all the components of the shard key

    -
    fullDocumentBeforeChange?: TSchema

    Contains the pre-image of the modified or deleted document if the +

    fullDocumentBeforeChange?: TSchema

    Contains the pre-image of the modified or deleted document if the pre-image is available for the change event and either 'required' or 'whenAvailable' was specified for the 'fullDocumentBeforeChange' option when creating the change stream. If 'whenAvailable' was specified but the pre-image is unavailable, this will be explicitly set to null.

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    Namespace the delete event occurred on

    -
    operationType: "delete"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    Namespace the delete event occurred on

    +
    operationType: "delete"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDocumentCollectionUUID.html b/docs/Next/interfaces/ChangeStreamDocumentCollectionUUID.html index 122ad87d67b..8abf52eb298 100644 --- a/docs/Next/interfaces/ChangeStreamDocumentCollectionUUID.html +++ b/docs/Next/interfaces/ChangeStreamDocumentCollectionUUID.html @@ -1,7 +1,7 @@ -ChangeStreamDocumentCollectionUUID | mongodb

    Interface ChangeStreamDocumentCollectionUUID

    interface ChangeStreamDocumentCollectionUUID {
        collectionUUID: Binary;
    }

    Hierarchy (view full)

    Properties

    collectionUUID +ChangeStreamDocumentCollectionUUID | mongodb

    Interface ChangeStreamDocumentCollectionUUID

    interface ChangeStreamDocumentCollectionUUID {
        collectionUUID: Binary;
    }

    Hierarchy (view full)

    Properties

    Properties

    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDocumentCommon.html b/docs/Next/interfaces/ChangeStreamDocumentCommon.html index 59c37363ae4..286be194fc7 100644 --- a/docs/Next/interfaces/ChangeStreamDocumentCommon.html +++ b/docs/Next/interfaces/ChangeStreamDocumentCommon.html @@ -1,22 +1,22 @@ -ChangeStreamDocumentCommon | mongodb

    Interface ChangeStreamDocumentCommon

    interface ChangeStreamDocumentCommon {
        _id: unknown;
        clusterTime?: Timestamp;
        lsid?: ServerSessionId;
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +ChangeStreamDocumentCommon | mongodb

    Interface ChangeStreamDocumentCommon

    interface ChangeStreamDocumentCommon {
        _id: unknown;
        clusterTime?: Timestamp;
        lsid?: ServerSessionId;
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDocumentKey.html b/docs/Next/interfaces/ChangeStreamDocumentKey.html index 027f1501bb8..99b01ad446c 100644 --- a/docs/Next/interfaces/ChangeStreamDocumentKey.html +++ b/docs/Next/interfaces/ChangeStreamDocumentKey.html @@ -1,4 +1,4 @@ -ChangeStreamDocumentKey | mongodb

    Interface ChangeStreamDocumentKey<TSchema>

    interface ChangeStreamDocumentKey<TSchema> {
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    documentKey +ChangeStreamDocumentKey | mongodb

    Interface ChangeStreamDocumentKey<TSchema>

    interface ChangeStreamDocumentKey<TSchema> {
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    Properties

    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. For sharded collections, this will contain all the components of the shard key

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDocumentOperationDescription.html b/docs/Next/interfaces/ChangeStreamDocumentOperationDescription.html index 0dd53bbdbbe..167780efcd9 100644 --- a/docs/Next/interfaces/ChangeStreamDocumentOperationDescription.html +++ b/docs/Next/interfaces/ChangeStreamDocumentOperationDescription.html @@ -1,5 +1,5 @@ -ChangeStreamDocumentOperationDescription | mongodb

    Interface ChangeStreamDocumentOperationDescription

    interface ChangeStreamDocumentOperationDescription {
        operationDescription?: Document;
    }

    Hierarchy (view full)

    Properties

    operationDescription? +ChangeStreamDocumentOperationDescription | mongodb

    Interface ChangeStreamDocumentOperationDescription

    interface ChangeStreamDocumentOperationDescription {
        operationDescription?: Document;
    }

    Hierarchy (view full)

    Properties

    operationDescription?: Document

    An description of the operation.

    Only present when the showExpandedEvents flag is enabled.

    6.1.0

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDropDatabaseDocument.html b/docs/Next/interfaces/ChangeStreamDropDatabaseDocument.html index fa69af8b17a..7c1afa57566 100644 --- a/docs/Next/interfaces/ChangeStreamDropDatabaseDocument.html +++ b/docs/Next/interfaces/ChangeStreamDropDatabaseDocument.html @@ -1,5 +1,5 @@ ChangeStreamDropDatabaseDocument | mongodb

    Interface ChangeStreamDropDatabaseDocument

    interface ChangeStreamDropDatabaseDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        lsid?: ServerSessionId;
        ns: {
            db: string;
        };
        operationType: "dropDatabase";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamDropDatabaseDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        lsid?: ServerSessionId;
        ns: {
            db: string;
        };
        operationType: "dropDatabase";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id clusterTime? lsid? ns @@ -8,20 +8,20 @@ txnNumber?

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    ns: {
        db: string;
    }

    The database dropped

    -
    operationType: "dropDatabase"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    ns: {
        db: string;
    }

    The database dropped

    +
    operationType: "dropDatabase"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDropDocument.html b/docs/Next/interfaces/ChangeStreamDropDocument.html index 4fdd7f1056c..0de36d0142c 100644 --- a/docs/Next/interfaces/ChangeStreamDropDocument.html +++ b/docs/Next/interfaces/ChangeStreamDropDocument.html @@ -1,5 +1,5 @@ ChangeStreamDropDocument | mongodb

    Interface ChangeStreamDropDocument

    interface ChangeStreamDropDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "drop";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamDropDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "drop";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    Namespace the drop event occurred on

    -
    operationType: "drop"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    Namespace the drop event occurred on

    +
    operationType: "drop"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamDropIndexDocument.html b/docs/Next/interfaces/ChangeStreamDropIndexDocument.html index dde5fb0b59f..f3f439a63ea 100644 --- a/docs/Next/interfaces/ChangeStreamDropIndexDocument.html +++ b/docs/Next/interfaces/ChangeStreamDropIndexDocument.html @@ -1,6 +1,6 @@ ChangeStreamDropIndexDocument | mongodb

    Interface ChangeStreamDropIndexDocument

    Only present when the showExpandedEvents flag is enabled.

    interface ChangeStreamDropIndexDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationDescription?: Document;
        operationType: "dropIndexes";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamDropIndexDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        operationDescription?: Document;
        operationType: "dropIndexes";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationDescription?: Document

    An description of the operation.

    +
    operationDescription?: Document

    An description of the operation.

    Only present when the showExpandedEvents flag is enabled.

    6.1.0

    -
    operationType: "dropIndexes"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    operationType: "dropIndexes"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamInsertDocument.html b/docs/Next/interfaces/ChangeStreamInsertDocument.html index 43f05312a19..c4ab2e40146 100644 --- a/docs/Next/interfaces/ChangeStreamInsertDocument.html +++ b/docs/Next/interfaces/ChangeStreamInsertDocument.html @@ -1,5 +1,5 @@ ChangeStreamInsertDocument | mongodb

    Interface ChangeStreamInsertDocument<TSchema>

    interface ChangeStreamInsertDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocument: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "insert";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamInsertDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocument: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "insert";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. +

    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. For sharded collections, this will contain all the components of the shard key

    -
    fullDocument: TSchema

    This key will contain the document being inserted

    -

    The identifier for the session associated with the transaction. +

    fullDocument: TSchema

    This key will contain the document being inserted

    +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    Namespace the insert event occurred on

    -
    operationType: "insert"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    Namespace the insert event occurred on

    +
    operationType: "insert"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamInvalidateDocument.html b/docs/Next/interfaces/ChangeStreamInvalidateDocument.html index c957a44fd47..667927ea734 100644 --- a/docs/Next/interfaces/ChangeStreamInvalidateDocument.html +++ b/docs/Next/interfaces/ChangeStreamInvalidateDocument.html @@ -1,5 +1,5 @@ ChangeStreamInvalidateDocument | mongodb

    Interface ChangeStreamInvalidateDocument

    interface ChangeStreamInvalidateDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        lsid?: ServerSessionId;
        operationType: "invalidate";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamInvalidateDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        lsid?: ServerSessionId;
        operationType: "invalidate";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationType: "invalidate"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    operationType: "invalidate"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamNameSpace.html b/docs/Next/interfaces/ChangeStreamNameSpace.html index 4194ae39b43..54b71e545bd 100644 --- a/docs/Next/interfaces/ChangeStreamNameSpace.html +++ b/docs/Next/interfaces/ChangeStreamNameSpace.html @@ -1,3 +1,3 @@ -ChangeStreamNameSpace | mongodb

    Interface ChangeStreamNameSpace

    interface ChangeStreamNameSpace {
        coll: string;
        db: string;
    }

    Properties

    coll +ChangeStreamNameSpace | mongodb

    Interface ChangeStreamNameSpace

    interface ChangeStreamNameSpace {
        coll: string;
        db: string;
    }

    Properties

    Properties

    coll: string
    db: string
    +

    Properties

    coll: string
    db: string
    diff --git a/docs/Next/interfaces/ChangeStreamOptions.html b/docs/Next/interfaces/ChangeStreamOptions.html index 1376534093d..790e0bb7398 100644 --- a/docs/Next/interfaces/ChangeStreamOptions.html +++ b/docs/Next/interfaces/ChangeStreamOptions.html @@ -1,5 +1,5 @@ ChangeStreamOptions | mongodb

    Interface ChangeStreamOptions

    Options that can be passed to a ChangeStream. Note that startAfter, resumeAfter, and startAtOperationTime are all mutually exclusive, and the server will error if more than one is specified.

    -
    interface ChangeStreamOptions {
        allowDiskUse?: boolean;
        authdb?: string;
        batchSize?: number;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        cursor?: Document;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        fullDocument?: string;
        fullDocumentBeforeChange?: string;
        hint?: Hint;
        ignoreUndefined?: boolean;
        let?: Document;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        out?: string;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        resumeAfter?: unknown;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        showExpandedEvents?: boolean;
        startAfter?: unknown;
        startAtOperationTime?: Timestamp;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
    }

    Hierarchy

    Properties

    interface ChangeStreamOptions {
        allowDiskUse?: boolean;
        authdb?: string;
        batchSize?: number;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        cursor?: Document;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        fullDocument?: string;
        fullDocumentBeforeChange?: string;
        hint?: Hint;
        ignoreUndefined?: boolean;
        let?: Document;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        out?: string;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        resumeAfter?: unknown;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        showExpandedEvents?: boolean;
        startAfter?: unknown;
        startAtOperationTime?: Timestamp;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
    }

    Hierarchy

    Properties

    Properties

    allowDiskUse?: boolean

    allowDiskUse lets the server know if it can use disk to store temporary results for the aggregation (requires mongodb 2.6 >).

    authdb?: string
    batchSize?: number

    The number of documents to return per batch.

    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    +
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    false

    bypassDocumentValidation?: boolean

    Allow driver to bypass schema validation.

    checkKeys?: boolean

    the serializer will check if keys are valid.

    @@ -68,21 +68,21 @@ if the post-image for this event is available.

    When set to 'required', the same behavior as 'whenAvailable' except that an error is raised if the post-image is not available.

    -
    fullDocumentBeforeChange?: string

    Allowed values: 'whenAvailable', 'required', 'off'.

    +
    fullDocumentBeforeChange?: string

    Allowed values: 'whenAvailable', 'required', 'off'.

    The default is to not send a value, which is equivalent to 'off'.

    When set to 'whenAvailable', configures the change stream to return the pre-image of the modified document for replace, update, and delete change events if it is available.

    When set to 'required', the same behavior as 'whenAvailable' except that an error is raised if the pre-image is not available.

    -
    hint?: Hint

    Add an index selection hint to an aggregation command

    +
    hint?: Hint

    Add an index selection hint to an aggregation command

    ignoreUndefined?: boolean

    serialize will not emit undefined fields note that the driver sets this to false

    true

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxAwaitTimeMS?: number

    The maximum amount of time for the server to wait on new documents to satisfy a change stream query.

    -
    maxTimeMS?: number

    Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    maxTimeMS?: number

    Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    resumeAfter?: unknown

    Allows you to start a changeStream after a specified event.

    +
    resumeAfter?: unknown

    Allows you to start a changeStream after a specified event.

    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    showExpandedEvents?: boolean

    When enabled, configures the change stream to include extra change events.

    +
    showExpandedEvents?: boolean

    When enabled, configures the change stream to include extra change events.

    -
    startAfter?: unknown

    Similar to resumeAfter, but will allow you to start after an invalidated event.

    +
    startAfter?: unknown

    Similar to resumeAfter, but will allow you to start after an invalidated event.

    startAtOperationTime?: Timestamp

    Will start the changeStream after the specified operationTime.

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    startAtOperationTime?: Timestamp

    Will start the changeStream after the specified operationTime.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    +
    willRetryWrite?: boolean
    diff --git a/docs/Next/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html b/docs/Next/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html index 1b25e24a2a2..6b1b5825e52 100644 --- a/docs/Next/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html +++ b/docs/Next/interfaces/ChangeStreamRefineCollectionShardKeyDocument.html @@ -9,27 +9,27 @@ txnNumber?

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationDescription?: Document

    An description of the operation.

    +
    operationDescription?: Document

    An description of the operation.

    Only present when the showExpandedEvents flag is enabled.

    6.1.0

    -
    operationType: "refineCollectionShardKey"

    Describes the type of operation represented in this change notification

    +
    operationType: "refineCollectionShardKey"

    Describes the type of operation represented in this change notification

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamRenameDocument.html b/docs/Next/interfaces/ChangeStreamRenameDocument.html index f4dac5c21c7..63f8b44d2c9 100644 --- a/docs/Next/interfaces/ChangeStreamRenameDocument.html +++ b/docs/Next/interfaces/ChangeStreamRenameDocument.html @@ -1,5 +1,5 @@ ChangeStreamRenameDocument | mongodb

    Interface ChangeStreamRenameDocument

    interface ChangeStreamRenameDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "rename";
        splitEvent?: ChangeStreamSplitEvent;
        to: {
            coll: string;
            db: string;
        };
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamRenameDocument {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "rename";
        splitEvent?: ChangeStreamSplitEvent;
        to: {
            coll: string;
            db: string;
        };
        txnNumber?: number;
    }

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    The "from" namespace that the rename occurred on

    -
    operationType: "rename"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    The "from" namespace that the rename occurred on

    +
    operationType: "rename"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    to: {
        coll: string;
        db: string;
    }

    The new name for the ns.coll collection

    -
    txnNumber?: number

    The transaction number. +

    to: {
        coll: string;
        db: string;
    }

    The new name for the ns.coll collection

    +
    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamReplaceDocument.html b/docs/Next/interfaces/ChangeStreamReplaceDocument.html index de7126d51ff..c6dfa43abed 100644 --- a/docs/Next/interfaces/ChangeStreamReplaceDocument.html +++ b/docs/Next/interfaces/ChangeStreamReplaceDocument.html @@ -1,5 +1,5 @@ ChangeStreamReplaceDocument | mongodb

    Interface ChangeStreamReplaceDocument<TSchema>

    interface ChangeStreamReplaceDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocument: TSchema;
        fullDocumentBeforeChange?: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "replace";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamReplaceDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocument: TSchema;
        fullDocumentBeforeChange?: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "replace";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. +

    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. For sharded collections, this will contain all the components of the shard key

    -
    fullDocument: TSchema

    The fullDocument of a replace event represents the document after the insert of the replacement document

    -
    fullDocumentBeforeChange?: TSchema

    Contains the pre-image of the modified or deleted document if the +

    fullDocument: TSchema

    The fullDocument of a replace event represents the document after the insert of the replacement document

    +
    fullDocumentBeforeChange?: TSchema

    Contains the pre-image of the modified or deleted document if the pre-image is available for the change event and either 'required' or 'whenAvailable' was specified for the 'fullDocumentBeforeChange' option when creating the change stream. If 'whenAvailable' was specified but the pre-image is unavailable, this will be explicitly set to null.

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    Namespace the replace event occurred on

    -
    operationType: "replace"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    Namespace the replace event occurred on

    +
    operationType: "replace"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamReshardCollectionDocument.html b/docs/Next/interfaces/ChangeStreamReshardCollectionDocument.html index 2fb66d3550b..beac5040392 100644 --- a/docs/Next/interfaces/ChangeStreamReshardCollectionDocument.html +++ b/docs/Next/interfaces/ChangeStreamReshardCollectionDocument.html @@ -9,27 +9,27 @@ txnNumber?

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationDescription?: Document

    An description of the operation.

    +
    operationDescription?: Document

    An description of the operation.

    Only present when the showExpandedEvents flag is enabled.

    6.1.0

    -
    operationType: "reshardCollection"

    Describes the type of operation represented in this change notification

    +
    operationType: "reshardCollection"

    Describes the type of operation represented in this change notification

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamShardCollectionDocument.html b/docs/Next/interfaces/ChangeStreamShardCollectionDocument.html index a635b56c078..7846f046915 100644 --- a/docs/Next/interfaces/ChangeStreamShardCollectionDocument.html +++ b/docs/Next/interfaces/ChangeStreamShardCollectionDocument.html @@ -9,27 +9,27 @@ txnNumber?

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -
    operationDescription?: Document

    An description of the operation.

    +
    operationDescription?: Document

    An description of the operation.

    Only present when the showExpandedEvents flag is enabled.

    6.1.0

    -
    operationType: "shardCollection"

    Describes the type of operation represented in this change notification

    +
    operationType: "shardCollection"

    Describes the type of operation represented in this change notification

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    +
    diff --git a/docs/Next/interfaces/ChangeStreamSplitEvent.html b/docs/Next/interfaces/ChangeStreamSplitEvent.html index 0a05c6725a8..7343a61ef77 100644 --- a/docs/Next/interfaces/ChangeStreamSplitEvent.html +++ b/docs/Next/interfaces/ChangeStreamSplitEvent.html @@ -1,5 +1,5 @@ -ChangeStreamSplitEvent | mongodb

    Interface ChangeStreamSplitEvent

    interface ChangeStreamSplitEvent {
        fragment: number;
        of: number;
    }

    Properties

    fragment +ChangeStreamSplitEvent | mongodb

    Interface ChangeStreamSplitEvent

    interface ChangeStreamSplitEvent {
        fragment: number;
        of: number;
    }

    Properties

    Properties

    fragment: number

    Which fragment of the change this is.

    -
    of: number

    The total number of fragments.

    -
    +
    of: number

    The total number of fragments.

    +
    diff --git a/docs/Next/interfaces/ChangeStreamUpdateDocument.html b/docs/Next/interfaces/ChangeStreamUpdateDocument.html index 2f2e9b71170..1205a5a8abe 100644 --- a/docs/Next/interfaces/ChangeStreamUpdateDocument.html +++ b/docs/Next/interfaces/ChangeStreamUpdateDocument.html @@ -1,5 +1,5 @@ ChangeStreamUpdateDocument | mongodb

    Interface ChangeStreamUpdateDocument<TSchema>

    interface ChangeStreamUpdateDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocument?: TSchema;
        fullDocumentBeforeChange?: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "update";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
        updateDescription: UpdateDescription<TSchema>;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    _id +
    interface ChangeStreamUpdateDocument<TSchema> {
        _id: unknown;
        clusterTime?: Timestamp;
        collectionUUID: Binary;
        documentKey: {
            _id: InferIdType<TSchema>;
            [shardKey: string]: any;
        };
        fullDocument?: TSchema;
        fullDocumentBeforeChange?: TSchema;
        lsid?: ServerSessionId;
        ns: ChangeStreamNameSpace;
        operationType: "update";
        splitEvent?: ChangeStreamSplitEvent;
        txnNumber?: number;
        updateDescription: UpdateDescription<TSchema>;
    }

    Type Parameters

    Hierarchy (view full)

    Properties

    _id: unknown

    The id functions as an opaque token for use when resuming an interrupted change stream.

    -
    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. +

    clusterTime?: Timestamp

    The timestamp from the oplog entry associated with the event. For events that happened as part of a multi-document transaction, the associated change stream notifications will have the same clusterTime value, namely the time when the transaction was committed. On a sharded cluster, events that occur on different shards can have the same clusterTime but be associated with different transactions or even not be associated with any transaction. To identify events for a single transaction, you can use the combination of lsid and txnNumber in the change stream event document.

    -
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    +
    collectionUUID: Binary

    The UUID (Binary subtype 4) of the collection that the operation was performed on.

    Only present when the showExpandedEvents flag is enabled.

    NOTE: collectionUUID will be converted to a NodeJS Buffer if the promoteBuffers flag is enabled.

    6.1.0

    -
    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. +

    documentKey: {
        _id: InferIdType<TSchema>;
        [shardKey: string]: any;
    }

    For unsharded collections this contains a single field _id. For sharded collections, this will contain all the components of the shard key

    -
    fullDocument?: TSchema

    This is only set if fullDocument is set to 'updateLookup' +

    fullDocument?: TSchema

    This is only set if fullDocument is set to 'updateLookup' Contains the point-in-time post-image of the modified document if the post-image is available and either 'required' or 'whenAvailable' was specified for the 'fullDocument' option when creating the change stream.

    -
    fullDocumentBeforeChange?: TSchema

    Contains the pre-image of the modified or deleted document if the +

    fullDocumentBeforeChange?: TSchema

    Contains the pre-image of the modified or deleted document if the pre-image is available for the change event and either 'required' or 'whenAvailable' was specified for the 'fullDocumentBeforeChange' option when creating the change stream. If 'whenAvailable' was specified but the pre-image is unavailable, this will be explicitly set to null.

    -

    The identifier for the session associated with the transaction. +

    The identifier for the session associated with the transaction. Only present if the operation is part of a multi-document transaction.

    -

    Namespace the update event occurred on

    -
    operationType: "update"

    Describes the type of operation represented in this change notification

    -

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent +

    Namespace the update event occurred on

    +
    operationType: "update"

    Describes the type of operation represented in this change notification

    +

    When the change stream's backing aggregation pipeline contains the $changeStreamSplitLargeEvent stage, events larger than 16MB will be split into multiple events and contain the following information about which fragment the current event is.

    -
    txnNumber?: number

    The transaction number. +

    txnNumber?: number

    The transaction number. Only present if the operation is part of a multi-document transaction.

    NOTE: txnNumber can be a Long if promoteLongs is set to false

    -
    updateDescription: UpdateDescription<TSchema>

    Contains a description of updated and removed fields in this operation

    -
    +
    updateDescription: UpdateDescription<TSchema>

    Contains a description of updated and removed fields in this operation

    +
    diff --git a/docs/Next/interfaces/ClientBulkWriteOptions.html b/docs/Next/interfaces/ClientBulkWriteOptions.html index 2c59a84c8a8..afa8d2d6cff 100644 --- a/docs/Next/interfaces/ClientBulkWriteOptions.html +++ b/docs/Next/interfaces/ClientBulkWriteOptions.html @@ -48,7 +48,7 @@

    true

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    ordered?: boolean

    If true, when an insert fails, don't execute the remaining writes. +

    noResponse?: boolean
    omitReadPreference?: boolean
    ordered?: boolean

    If true, when an insert fails, don't execute the remaining writes. If false, continue with remaining inserts when one fails.

    true - inserts are ordered by default

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    @@ -70,14 +70,14 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    verboseResults?: boolean

    Whether detailed results for each successful operation should be included in the returned BulkWriteResult.

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html b/docs/Next/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html index 7505365a26d..8e50e599f87 100644 --- a/docs/Next/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html +++ b/docs/Next/interfaces/ClientEncryptionCreateDataKeyProviderOptions.html @@ -1,8 +1,8 @@ ClientEncryptionCreateDataKeyProviderOptions | mongodb

    Interface ClientEncryptionCreateDataKeyProviderOptions

    Options to provide when creating a new data key.

    -
    interface ClientEncryptionCreateDataKeyProviderOptions {
        keyAltNames?: string[];
        keyMaterial?: Buffer | Binary;
        masterKey?:
            | AWSEncryptionKeyOptions
            | AzureEncryptionKeyOptions
            | GCPEncryptionKeyOptions
            | KMIPEncryptionKeyOptions;
    }

    Properties

    interface ClientEncryptionCreateDataKeyProviderOptions {
        keyAltNames?: string[];
        keyMaterial?: Buffer | Binary;
        masterKey?:
            | AWSEncryptionKeyOptions
            | AzureEncryptionKeyOptions
            | GCPEncryptionKeyOptions
            | KMIPEncryptionKeyOptions;
    }

    Properties

    keyAltNames?: string[]

    An optional list of string alternate names used to reference a key. If a key is created with alternate names, then encryption may refer to the key by the unique alternate name instead of by _id.

    -
    keyMaterial?: Buffer | Binary

    Identifies a new KMS-specific key used to encrypt the new data key

    -
    +
    keyMaterial?: Buffer | Binary
    masterKey?:
        | AWSEncryptionKeyOptions
        | AzureEncryptionKeyOptions
        | GCPEncryptionKeyOptions
        | KMIPEncryptionKeyOptions

    Identifies a new KMS-specific key used to encrypt the new data key

    +
    diff --git a/docs/Next/interfaces/ClientEncryptionEncryptOptions.html b/docs/Next/interfaces/ClientEncryptionEncryptOptions.html index 3b7bf54ef3f..1151c05943f 100644 --- a/docs/Next/interfaces/ClientEncryptionEncryptOptions.html +++ b/docs/Next/interfaces/ClientEncryptionEncryptOptions.html @@ -1,14 +1,14 @@ ClientEncryptionEncryptOptions | mongodb

    Interface ClientEncryptionEncryptOptions

    Options to provide when encrypting data.

    -
    interface ClientEncryptionEncryptOptions {
        algorithm:
            | "AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic"
            | "AEAD_AES_256_CBC_HMAC_SHA_512-Random"
            | "Indexed"
            | "Unindexed"
            | "Range";
        contentionFactor?: number | bigint;
        keyAltName?: string;
        keyId?: Binary;
        queryType?: "equality" | "range";
        rangeOptions?: RangeOptions;
    }

    Properties

    interface ClientEncryptionEncryptOptions {
        algorithm:
            | "AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic"
            | "AEAD_AES_256_CBC_HMAC_SHA_512-Random"
            | "Indexed"
            | "Unindexed"
            | "Range";
        contentionFactor?: number | bigint;
        keyAltName?: string;
        keyId?: Binary;
        queryType?: "equality" | "range";
        rangeOptions?: RangeOptions;
    }

    Properties

    algorithm:
        | "AEAD_AES_256_CBC_HMAC_SHA_512-Deterministic"
        | "AEAD_AES_256_CBC_HMAC_SHA_512-Random"
        | "Indexed"
        | "Unindexed"
        | "Range"

    The algorithm to use for encryption.

    -
    contentionFactor?: number | bigint

    The contention factor.

    -
    keyAltName?: string

    A unique string name corresponding to an already existing dataKey.

    -
    keyId?: Binary

    The id of the Binary dataKey to use for encryption

    -
    queryType?: "equality" | "range"

    The query type.

    -
    rangeOptions?: RangeOptions

    The index options for a Queryable Encryption field supporting "range" queries.

    -
    +
    contentionFactor?: number | bigint

    The contention factor.

    +
    keyAltName?: string

    A unique string name corresponding to an already existing dataKey.

    +
    keyId?: Binary

    The id of the Binary dataKey to use for encryption

    +
    queryType?: "equality" | "range"

    The query type.

    +
    rangeOptions?: RangeOptions

    The index options for a Queryable Encryption field supporting "range" queries.

    +
    diff --git a/docs/Next/interfaces/ClientEncryptionOptions.html b/docs/Next/interfaces/ClientEncryptionOptions.html index 561531e9b17..c75ac7471cd 100644 --- a/docs/Next/interfaces/ClientEncryptionOptions.html +++ b/docs/Next/interfaces/ClientEncryptionOptions.html @@ -1,15 +1,15 @@ ClientEncryptionOptions | mongodb

    Interface ClientEncryptionOptions

    Additional settings to provide when creating a new ClientEncryption instance.

    -
    interface ClientEncryptionOptions {
        keyVaultClient?: MongoClient;
        keyVaultNamespace: string;
        kmsProviders?: KMSProviders;
        proxyOptions?: ProxyOptions;
        timeoutMS?: number;
        tlsOptions?: CSFLEKMSTlsOptions;
    }

    Properties

    interface ClientEncryptionOptions {
        keyVaultClient?: MongoClient;
        keyVaultNamespace: string;
        kmsProviders?: KMSProviders;
        proxyOptions?: ProxyOptions;
        timeoutMS?: number;
        tlsOptions?: CSFLEKMSTlsOptions;
    }

    Properties

    keyVaultClient?: MongoClient

    A MongoClient used to fetch keys from a key vault. Defaults to client.

    -
    keyVaultNamespace: string

    The namespace of the key vault, used to store encryption keys

    -
    kmsProviders?: KMSProviders

    Options for specific KMS providers to use

    -
    proxyOptions?: ProxyOptions

    Options for specifying a Socks5 proxy to use for connecting to the KMS.

    -
    timeoutMS?: number

    The timeout setting to be used for all the operations on ClientEncryption.

    +
    keyVaultNamespace: string

    The namespace of the key vault, used to store encryption keys

    +
    kmsProviders?: KMSProviders

    Options for specific KMS providers to use

    +
    proxyOptions?: ProxyOptions

    Options for specifying a Socks5 proxy to use for connecting to the KMS.

    +
    timeoutMS?: number

    The timeout setting to be used for all the operations on ClientEncryption.

    When provided, timeoutMS is used as the timeout for each operation executed on the ClientEncryption object. For example:

    const clientEncryption = new ClientEncryption(client, {
    timeoutMS: 1_000
    kmsProviders: { local: { key: '<KEY>' } }
    });

    // `1_000` is used as the timeout for createDataKey call
    await clientEncryption.createDataKey('local'); @@ -20,5 +20,5 @@
    const client = new MongoClient('<uri>', { timeoutMS: 2_000 });

    // timeoutMS is set to 1_000 on clientEncryption
    const clientEncryption = new ClientEncryption(client, {
    timeoutMS: 1_000
    kmsProviders: { local: { key: '<KEY>' } }
    });
    -
    tlsOptions?: CSFLEKMSTlsOptions

    TLS options for kms providers to use.

    -
    +
    tlsOptions?: CSFLEKMSTlsOptions

    TLS options for kms providers to use.

    +
    diff --git a/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html b/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html index 4dd9fe16fe1..38223837727 100644 --- a/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html +++ b/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyProviderOptions.html @@ -1,3 +1,3 @@ -ClientEncryptionRewrapManyDataKeyProviderOptions | mongodb

    Interface ClientEncryptionRewrapManyDataKeyProviderOptionsExperimental

    interface ClientEncryptionRewrapManyDataKeyProviderOptions {
        masterKey?:
            | AWSEncryptionKeyOptions
            | AzureEncryptionKeyOptions
            | GCPEncryptionKeyOptions
            | KMIPEncryptionKeyOptions;
        provider: keyof KMSProviders;
    }

    Properties

    masterKey? +ClientEncryptionRewrapManyDataKeyProviderOptions | mongodb

    Interface ClientEncryptionRewrapManyDataKeyProviderOptionsExperimental

    interface ClientEncryptionRewrapManyDataKeyProviderOptions {
        masterKey?:
            | AWSEncryptionKeyOptions
            | AzureEncryptionKeyOptions
            | GCPEncryptionKeyOptions
            | KMIPEncryptionKeyOptions;
        provider: keyof KMSProviders;
    }

    Properties

    Properties

    provider: keyof KMSProviders
    +

    Properties

    provider: keyof KMSProviders
    diff --git a/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyResult.html b/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyResult.html index 14c4ed98f18..e0ab9c63d2e 100644 --- a/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyResult.html +++ b/docs/Next/interfaces/ClientEncryptionRewrapManyDataKeyResult.html @@ -1,3 +1,3 @@ -ClientEncryptionRewrapManyDataKeyResult | mongodb

    Interface ClientEncryptionRewrapManyDataKeyResultExperimental

    interface ClientEncryptionRewrapManyDataKeyResult {
        bulkWriteResult?: BulkWriteResult;
    }

    Properties

    bulkWriteResult? +ClientEncryptionRewrapManyDataKeyResult | mongodb

    Interface ClientEncryptionRewrapManyDataKeyResultExperimental

    interface ClientEncryptionRewrapManyDataKeyResult {
        bulkWriteResult?: BulkWriteResult;
    }

    Properties

    Properties

    bulkWriteResult?: BulkWriteResult

    The result of rewrapping data keys. If unset, no keys matched the filter.

    -
    +
    diff --git a/docs/Next/interfaces/ClientSessionOptions.html b/docs/Next/interfaces/ClientSessionOptions.html index 7081074d6a6..e12439e4e70 100644 --- a/docs/Next/interfaces/ClientSessionOptions.html +++ b/docs/Next/interfaces/ClientSessionOptions.html @@ -1,10 +1,10 @@ -ClientSessionOptions | mongodb

    Interface ClientSessionOptions

    interface ClientSessionOptions {
        causalConsistency?: boolean;
        defaultTimeoutMS?: number;
        defaultTransactionOptions?: TransactionOptions;
        snapshot?: boolean;
    }

    Properties

    causalConsistency? +ClientSessionOptions | mongodb

    Interface ClientSessionOptions

    interface ClientSessionOptions {
        causalConsistency?: boolean;
        defaultTimeoutMS?: number;
        defaultTransactionOptions?: TransactionOptions;
        snapshot?: boolean;
    }

    Properties

    causalConsistency?: boolean

    Whether causal consistency should be enabled on this session

    -
    defaultTimeoutMS?: number

    An overriding timeoutMS value to use for a client-side timeout. +

    defaultTimeoutMS?: number

    An overriding timeoutMS value to use for a client-side timeout. If not provided the session uses the timeoutMS specified on the MongoClient.

    -
    defaultTransactionOptions?: TransactionOptions

    The default TransactionOptions to use for transactions started on this session.

    -
    snapshot?: boolean

    Whether all read operations should be read from the same snapshot for this session (NOTE: not compatible with causalConsistency=true)

    -
    +
    defaultTransactionOptions?: TransactionOptions

    The default TransactionOptions to use for transactions started on this session.

    +
    snapshot?: boolean

    Whether all read operations should be read from the same snapshot for this session (NOTE: not compatible with causalConsistency=true)

    +
    diff --git a/docs/Next/interfaces/CloseOptions.html b/docs/Next/interfaces/CloseOptions.html index ef2d22c9f3e..c285a6dc226 100644 --- a/docs/Next/interfaces/CloseOptions.html +++ b/docs/Next/interfaces/CloseOptions.html @@ -1,4 +1,4 @@ CloseOptions | mongodb

    Interface CloseOptions

    This interface is deprecated and will be removed in a future release as it is not used in the driver

    -
    interface CloseOptions {
        force?: boolean;
    }

    Properties

    Properties

    force?: boolean
    +
    interface CloseOptions {
        force?: boolean;
    }

    Properties

    Properties

    force?: boolean
    diff --git a/docs/Next/interfaces/CollectionInfo.html b/docs/Next/interfaces/CollectionInfo.html index c1ea6534533..21ce2278a88 100644 --- a/docs/Next/interfaces/CollectionInfo.html +++ b/docs/Next/interfaces/CollectionInfo.html @@ -1,6 +1,6 @@ -CollectionInfo | mongodb

    Interface CollectionInfo

    interface CollectionInfo {
        idIndex?: Document;
        info?: {
            readOnly?: false;
            uuid?: Binary;
        };
        name: string;
        options?: Document;
        type?: string;
    }

    Hierarchy (view full)

    Properties

    idIndex? +CollectionInfo | mongodb

    Interface CollectionInfo

    interface CollectionInfo {
        idIndex?: Document;
        info?: {
            readOnly?: false;
            uuid?: Binary;
        };
        name: string;
        options?: Document;
        type?: string;
    }

    Hierarchy (view full)

    Properties

    idIndex?: Document
    info?: {
        readOnly?: false;
        uuid?: Binary;
    }
    name: string
    options?: Document
    type?: string
    +

    Properties

    idIndex?: Document
    info?: {
        readOnly?: false;
        uuid?: Binary;
    }
    name: string
    options?: Document
    type?: string
    diff --git a/docs/Next/interfaces/CollectionOptions.html b/docs/Next/interfaces/CollectionOptions.html index 1afcea719b8..711f15ebe56 100644 --- a/docs/Next/interfaces/CollectionOptions.html +++ b/docs/Next/interfaces/CollectionOptions.html @@ -1,4 +1,4 @@ -CollectionOptions | mongodb

    Interface CollectionOptions

    interface CollectionOptions {
        bsonRegExp?: boolean;
        checkKeys?: boolean;
        enableUtf8Validation?: boolean;
        fieldsAsRaw?: Document;
        ignoreUndefined?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        serializeFunctions?: boolean;
        timeoutMS?: number;
        useBigInt64?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    bsonRegExp? +CollectionOptions | mongodb

    Interface CollectionOptions

    interface CollectionOptions {
        bsonRegExp?: boolean;
        checkKeys?: boolean;
        enableUtf8Validation?: boolean;
        fieldsAsRaw?: Document;
        ignoreUndefined?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        serializeFunctions?: boolean;
        timeoutMS?: number;
        useBigInt64?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    bsonRegExp? checkKeys? enableUtf8Validation? fieldsAsRaw? @@ -41,11 +41,11 @@

    Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). It does correctly work at Db, Collection, and per operation the same as other BSON options work.

    readConcern?: ReadConcernLike

    Specify a read concern for the collection. (only MongoDB 3.2 or higher supported)

    -
    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).

    -
    serializeFunctions?: boolean

    serialize the javascript functions

    +
    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.PRIMARY, ReadPreference.PRIMARY_PREFERRED, ReadPreference.SECONDARY, ReadPreference.SECONDARY_PREFERRED, ReadPreference.NEAREST).

    +
    serializeFunctions?: boolean

    serialize the javascript functions

    false

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    Write Concern as an object

    diff --git a/docs/Next/interfaces/CommandOperationOptions.html b/docs/Next/interfaces/CommandOperationOptions.html index 98248e3c5dd..f29b5c65e6e 100644 --- a/docs/Next/interfaces/CommandOperationOptions.html +++ b/docs/Next/interfaces/CommandOperationOptions.html @@ -41,7 +41,7 @@ note that the driver sets this to false

    true

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -60,12 +60,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/ConnectOptions.html b/docs/Next/interfaces/ConnectOptions.html index 5b0333f5d4c..232a91e236f 100644 --- a/docs/Next/interfaces/ConnectOptions.html +++ b/docs/Next/interfaces/ConnectOptions.html @@ -1,2 +1,2 @@ -ConnectOptions | mongodb

    Interface ConnectOptions

    interface ConnectOptions {
        readPreference?: ReadPreference;
    }

    Properties

    Properties

    readPreference?: ReadPreference
    +ConnectOptions | mongodb

    Interface ConnectOptions

    interface ConnectOptions {
        readPreference?: ReadPreference;
    }

    Properties

    Properties

    readPreference?: ReadPreference
    diff --git a/docs/Next/interfaces/ConnectionOptions.html b/docs/Next/interfaces/ConnectionOptions.html index 08c2c9cd1df..2c3901ef980 100644 --- a/docs/Next/interfaces/ConnectionOptions.html +++ b/docs/Next/interfaces/ConnectionOptions.html @@ -1,4 +1,4 @@ -ConnectionOptions | mongodb

    Interface ConnectionOptions

    interface ConnectionOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        ca?: string | Buffer | (string | Buffer)[];
        cancellationToken?: CancellationToken;
        cert?: string | Buffer | (string | Buffer)[];
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors?: (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS?: number;
        credentials?: MongoCredentials;
        crl?: string | Buffer | (string | Buffer)[];
        ecdhCurve?: string;
        family?: number;
        generation: number;
        hints?: number;
        hostAddress: HostAddress;
        id: number | "<monitor>";
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced: boolean;
        localAddress?: string;
        localPort?: number;
        logicalSessionTimeoutMinutes?: number;
        lookup?: LookupFunction;
        metadata: ClientMetadata;
        minDHSize?: number;
        monitorCommands: boolean;
        noDelay?: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        rejectUnauthorized?: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serverApi?: ServerApi;
        servername?: string;
        session?: Buffer;
        socketTimeoutMS?: number;
        tls: boolean;
    }

    Hierarchy (view full)

    Properties

    allowPartialTrustChain? +ConnectionOptions | mongodb

    Interface ConnectionOptions

    interface ConnectionOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        ca?: string | Buffer | (string | Buffer)[];
        cancellationToken?: CancellationToken;
        cert?: string | Buffer | (string | Buffer)[];
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors?: (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS?: number;
        credentials?: MongoCredentials;
        crl?: string | Buffer | (string | Buffer)[];
        ecdhCurve?: string;
        family?: number;
        generation: number;
        hints?: number;
        hostAddress: HostAddress;
        id: number | "<monitor>";
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced: boolean;
        localAddress?: string;
        localPort?: number;
        logicalSessionTimeoutMinutes?: number;
        lookup?: LookupFunction;
        metadata: ClientMetadata;
        minDHSize?: number;
        monitorCommands: boolean;
        noDelay?: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        rejectUnauthorized?: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serverApi?: ServerApi;
        servername?: string;
        session?: Buffer;
        socketTimeoutMS?: number;
        tls: boolean;
    }

    Hierarchy (view full)

    Properties

    allowPartialTrustChain?: boolean

    Treat intermediate (non-self-signed) certificates in the trust CA certificate list as trusted.

    v22.9.0, v20.18.0

    -
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. +

    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. (Protocols should be ordered by their priority.)

    autoSelectFamily?: boolean

    v18.13.0

    -
    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    -
    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust +

    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    +
    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust the well-known CAs curated by Mozilla. Mozilla's CAs are completely replaced when CAs are explicitly specified using this option.

    -
    cancellationToken?: CancellationToken
    cert?: string | Buffer | (string | Buffer)[]

    Cert chains in PEM format. One cert chain should be provided per +

    cancellationToken?: CancellationToken
    cert?: string | Buffer | (string | Buffer)[]

    Cert chains in PEM format. One cert chain should be provided per private key. Each cert chain should consist of the PEM formatted certificate for a provided private key, followed by the PEM formatted intermediate certificates (if any), in order, and not @@ -80,7 +80,7 @@ information, see modifying the default cipher suite. Permitted ciphers can be obtained via tls.getCiphers(). Cipher names must be uppercased in order for OpenSSL to accept them.

    -
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]
    connectTimeoutMS?: number
    credentials?: MongoCredentials
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    +
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]
    connectTimeoutMS?: number
    credentials?: MongoCredentials
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    ecdhCurve?: string

    A string describing a named curve or a colon separated list of curve NIDs or names, for example P-521:P-384:P-256, to use for ECDH key agreement. Set to auto to select the curve automatically. Use @@ -88,7 +88,7 @@ recent releases, openssl ecparam -list_curves will also display the name and description of each available elliptic curve. Default: tls.DEFAULT_ECDH_CURVE.

    -
    family?: number
    generation: number
    hints?: number
    hostAddress: HostAddress
    id: number | "<monitor>"
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys +

    family?: number
    generation: number
    hints?: number
    hostAddress: HostAddress
    id: number | "<monitor>"
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys being encrypted. Encrypted keys will be decrypted with options.passphrase. Multiple keys using different algorithms can be provided either as an array of unencrypted key strings or buffers, @@ -96,7 +96,7 @@ passphrase: ]}. The object form can only occur in an array. object.passphrase is optional. Encrypted keys will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    -
    loadBalanced: boolean
    localAddress?: string
    localPort?: number
    logicalSessionTimeoutMinutes?: number
    lookup?: LookupFunction
    metadata: ClientMetadata
    minDHSize?: number
    monitorCommands: boolean
    noDelay?: boolean
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    +
    loadBalanced: boolean
    localAddress?: string
    localPort?: number
    logicalSessionTimeoutMinutes?: number
    lookup?: LookupFunction
    metadata: ClientMetadata
    minDHSize?: number
    monitorCommands: boolean
    noDelay?: boolean
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    pfx?: string | Buffer | (string | Buffer | PxfObject)[]

    PFX or PKCS12 encoded private key and certificate chain. pfx is an alternative to providing key and cert individually. PFX is usually encrypted, if it is, passphrase will be used to decrypt it. Multiple @@ -105,7 +105,7 @@ passphrase: ]}. The object form can only occur in an array. object.passphrase is optional. Encrypted PFX will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    -
    proxyHost?: string
    proxyPassword?: string
    proxyPort?: number
    proxyUsername?: string
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not +

    proxyHost?: string
    proxyPassword?: string
    proxyPort?: number
    proxyUsername?: string
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not authorized with the list of supplied CAs. This option only has an effect if requestCert is true.

    true
    @@ -121,5 +121,5 @@
     any TLS protocol version up to TLSv1.3. It is not recommended to use
     TLS versions less than 1.2, but it may be required for
     interoperability. Default: none, see minVersion.

    -
    serverApi?: ServerApi
    servername?: string
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    -
    socketTimeoutMS?: number
    tls: boolean
    +
    serverApi?: ServerApi
    servername?: string
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    +
    socketTimeoutMS?: number
    tls: boolean
    diff --git a/docs/Next/interfaces/ConnectionPoolOptions.html b/docs/Next/interfaces/ConnectionPoolOptions.html index 8cf9958d468..dcdd1cbce53 100644 --- a/docs/Next/interfaces/ConnectionPoolOptions.html +++ b/docs/Next/interfaces/ConnectionPoolOptions.html @@ -1,4 +1,4 @@ -ConnectionPoolOptions | mongodb

    Interface ConnectionPoolOptions

    interface ConnectionPoolOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        ca?: string | Buffer | (string | Buffer)[];
        cancellationToken?: CancellationToken;
        cert?: string | Buffer | (string | Buffer)[];
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors?: (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS?: number;
        credentials?: MongoCredentials;
        crl?: string | Buffer | (string | Buffer)[];
        ecdhCurve?: string;
        family?: number;
        hints?: number;
        hostAddress: HostAddress;
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced: boolean;
        localAddress?: string;
        localPort?: number;
        logicalSessionTimeoutMinutes?: number;
        lookup?: LookupFunction;
        maxConnecting: number;
        maxIdleTimeMS: number;
        maxPoolSize: number;
        metadata: ClientMetadata;
        minDHSize?: number;
        minPoolSize: number;
        monitorCommands: boolean;
        noDelay?: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        rejectUnauthorized?: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serverApi?: ServerApi;
        servername?: string;
        session?: Buffer;
        socketTimeoutMS?: number;
        tls: boolean;
        waitQueueTimeoutMS: number;
    }

    Hierarchy

    Properties

    allowPartialTrustChain? +ConnectionPoolOptions | mongodb

    Interface ConnectionPoolOptions

    interface ConnectionPoolOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        ca?: string | Buffer | (string | Buffer)[];
        cancellationToken?: CancellationToken;
        cert?: string | Buffer | (string | Buffer)[];
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors?: (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS?: number;
        credentials?: MongoCredentials;
        crl?: string | Buffer | (string | Buffer)[];
        ecdhCurve?: string;
        family?: number;
        hints?: number;
        hostAddress: HostAddress;
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced: boolean;
        localAddress?: string;
        localPort?: number;
        logicalSessionTimeoutMinutes?: number;
        lookup?: LookupFunction;
        maxConnecting: number;
        maxIdleTimeMS: number;
        maxPoolSize: number;
        metadata: ClientMetadata;
        minDHSize?: number;
        minPoolSize: number;
        monitorCommands: boolean;
        noDelay?: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        rejectUnauthorized?: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serverApi?: ServerApi;
        servername?: string;
        session?: Buffer;
        socketTimeoutMS?: number;
        tls: boolean;
        waitQueueTimeoutMS: number;
    }

    Hierarchy

    Properties

    allowPartialTrustChain?: boolean

    Treat intermediate (non-self-signed) certificates in the trust CA certificate list as trusted.

    v22.9.0, v20.18.0

    -
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. +

    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. (Protocols should be ordered by their priority.)

    autoSelectFamily?: boolean

    v18.13.0

    -
    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    -
    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust +

    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    +
    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust the well-known CAs curated by Mozilla. Mozilla's CAs are completely replaced when CAs are explicitly specified using this option.

    -
    cancellationToken?: CancellationToken
    cert?: string | Buffer | (string | Buffer)[]

    Cert chains in PEM format. One cert chain should be provided per +

    cancellationToken?: CancellationToken
    cert?: string | Buffer | (string | Buffer)[]

    Cert chains in PEM format. One cert chain should be provided per private key. Each cert chain should consist of the PEM formatted certificate for a provided private key, followed by the PEM formatted intermediate certificates (if any), in order, and not @@ -83,7 +83,7 @@ information, see modifying the default cipher suite. Permitted ciphers can be obtained via tls.getCiphers(). Cipher names must be uppercased in order for OpenSSL to accept them.

    -
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]
    connectTimeoutMS?: number
    credentials?: MongoCredentials
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    +
    compressors?: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]
    connectTimeoutMS?: number
    credentials?: MongoCredentials
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    ecdhCurve?: string

    A string describing a named curve or a colon separated list of curve NIDs or names, for example P-521:P-384:P-256, to use for ECDH key agreement. Set to auto to select the curve automatically. Use @@ -91,7 +91,7 @@ recent releases, openssl ecparam -list_curves will also display the name and description of each available elliptic curve. Default: tls.DEFAULT_ECDH_CURVE.

    -
    family?: number
    hints?: number
    hostAddress: HostAddress
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys +

    family?: number
    hints?: number
    hostAddress: HostAddress
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys being encrypted. Encrypted keys will be decrypted with options.passphrase. Multiple keys using different algorithms can be provided either as an array of unencrypted key strings or buffers, @@ -100,11 +100,11 @@ object.passphrase is optional. Encrypted keys will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    loadBalanced: boolean

    If we are in load balancer mode.

    -
    localAddress?: string
    localPort?: number
    logicalSessionTimeoutMinutes?: number
    lookup?: LookupFunction
    maxConnecting: number

    The maximum number of connections that may be in the process of being established concurrently by the connection pool.

    -
    maxIdleTimeMS: number

    The maximum amount of time a connection should remain idle in the connection pool before being marked idle.

    -
    maxPoolSize: number

    The maximum number of connections that may be associated with a pool at a given time. This includes in use and available connections.

    -
    metadata: ClientMetadata
    minDHSize?: number
    minPoolSize: number

    The minimum number of connections that MUST exist at any moment in a single connection pool.

    -
    monitorCommands: boolean
    noDelay?: boolean
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    +
    localAddress?: string
    localPort?: number
    logicalSessionTimeoutMinutes?: number
    lookup?: LookupFunction
    maxConnecting: number

    The maximum number of connections that may be in the process of being established concurrently by the connection pool.

    +
    maxIdleTimeMS: number

    The maximum amount of time a connection should remain idle in the connection pool before being marked idle.

    +
    maxPoolSize: number

    The maximum number of connections that may be associated with a pool at a given time. This includes in use and available connections.

    +
    metadata: ClientMetadata
    minDHSize?: number
    minPoolSize: number

    The minimum number of connections that MUST exist at any moment in a single connection pool.

    +
    monitorCommands: boolean
    noDelay?: boolean
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    pfx?: string | Buffer | (string | Buffer | PxfObject)[]

    PFX or PKCS12 encoded private key and certificate chain. pfx is an alternative to providing key and cert individually. PFX is usually encrypted, if it is, passphrase will be used to decrypt it. Multiple @@ -113,7 +113,7 @@ passphrase: ]}. The object form can only occur in an array. object.passphrase is optional. Encrypted PFX will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    -
    proxyHost?: string
    proxyPassword?: string
    proxyPort?: number
    proxyUsername?: string
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not +

    proxyHost?: string
    proxyPassword?: string
    proxyPort?: number
    proxyUsername?: string
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not authorized with the list of supplied CAs. This option only has an effect if requestCert is true.

    true
    @@ -129,6 +129,6 @@
     any TLS protocol version up to TLSv1.3. It is not recommended to use
     TLS versions less than 1.2, but it may be required for
     interoperability. Default: none, see minVersion.

    -
    serverApi?: ServerApi
    servername?: string
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    -
    socketTimeoutMS?: number
    tls: boolean
    waitQueueTimeoutMS: number

    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.

    -
    +
    serverApi?: ServerApi
    servername?: string
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    +
    socketTimeoutMS?: number
    tls: boolean
    waitQueueTimeoutMS: number

    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.

    +
    diff --git a/docs/Next/interfaces/CountDocumentsOptions.html b/docs/Next/interfaces/CountDocumentsOptions.html index 619ce77d6f4..60c13e566f4 100644 --- a/docs/Next/interfaces/CountDocumentsOptions.html +++ b/docs/Next/interfaces/CountDocumentsOptions.html @@ -1,4 +1,4 @@ -CountDocumentsOptions | mongodb

    Interface CountDocumentsOptions

    interface CountDocumentsOptions {
        allowDiskUse?: boolean;
        authdb?: string;
        batchSize?: number;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        cursor?: Document;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        hint?: Hint;
        ignoreUndefined?: boolean;
        let?: Document;
        limit?: number;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        out?: string;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        skip?: number;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    allowDiskUse? +CountDocumentsOptions | mongodb

    Interface CountDocumentsOptions

    interface CountDocumentsOptions {
        allowDiskUse?: boolean;
        authdb?: string;
        batchSize?: number;
        bsonRegExp?: boolean;
        bypassDocumentValidation?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        cursor?: Document;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        hint?: Hint;
        ignoreUndefined?: boolean;
        let?: Document;
        limit?: number;
        maxAwaitTimeMS?: number;
        maxTimeMS?: number;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        out?: string;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        skip?: number;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
        writeConcern?: WriteConcern | WriteConcernSettings;
    }

    Hierarchy (view full)

    Properties

    true

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    limit?: number

    The maximum amount of documents to consider.

    -
    maxAwaitTimeMS?: number

    The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query.

    +
    maxAwaitTimeMS?: number

    The maximum amount of time for the server to wait on new documents to satisfy a tailable cursor query.

    maxTimeMS?: number

    Specifies a cumulative time limit in milliseconds for processing operations on the cursor. MongoDB interrupts the operation at the earliest following interrupt point.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    out?: string
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    skip?: number

    The number of documents to skip.

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    skip?: number

    The number of documents to skip.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean

    Write Concern as an object

    +
    willRetryWrite?: boolean

    Write Concern as an object

    diff --git a/docs/Next/interfaces/CountOptions.html b/docs/Next/interfaces/CountOptions.html index 461f9d15463..379d2a297eb 100644 --- a/docs/Next/interfaces/CountOptions.html +++ b/docs/Next/interfaces/CountOptions.html @@ -46,7 +46,7 @@

    true

    limit?: number

    The maximum amounts to count before aborting.

    maxTimeMS?: number

    Number of milliseconds to wait before aborting the query.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    skip?: number

    The number of documents to skip.

    +
    skip?: number

    The number of documents to skip.

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean

    Write Concern as an object

    +
    willRetryWrite?: boolean

    Write Concern as an object

    diff --git a/docs/Next/interfaces/CreateCollectionOptions.html b/docs/Next/interfaces/CreateCollectionOptions.html index be5df2aa3a0..3a66c4fb789 100644 --- a/docs/Next/interfaces/CreateCollectionOptions.html +++ b/docs/Next/interfaces/CreateCollectionOptions.html @@ -68,7 +68,7 @@
    indexOptionDefaults?: Document

    Allows users to specify a default configuration for indexes when creating a collection

    max?: number

    The maximum number of documents in the capped collection

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    pipeline?: Document[]

    An array that consists of the aggregation pipeline stage. Creates the view by applying the specified pipeline to the viewOn collection or view

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    pipeline?: Document[]

    An array that consists of the aggregation pipeline stage. Creates the view by applying the specified pipeline to the viewOn collection or view

    pkFactory?: PkFactory

    A primary key factory function for generation of custom _id keys.

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    @@ -89,19 +89,19 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    size?: number

    The size of the capped collection in bytes

    +
    size?: number

    The size of the capped collection in bytes

    storageEngine?: Document

    Allows users to specify configuration to the storage engine on a per-collection basis when creating a collection

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    timeseries?: TimeSeriesCollectionOptions

    A document specifying configuration options for timeseries collections.

    +
    timeseries?: TimeSeriesCollectionOptions

    A document specifying configuration options for timeseries collections.

    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    validationAction?: string

    Determines whether to error on invalid documents or just warn about the violations but allow invalid documents to be inserted

    validationLevel?: string

    Determines how strictly MongoDB applies the validation rules to existing documents during an update

    validator?: Document

    Allows users to specify validation rules or expressions for the collection. For more information, see Document Validation

    viewOn?: string

    The name of the source collection or view from which to create the view. The name is not the full namespace of the collection or view (i.e., does not include the database name and implies the same database as the view to create)

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/CreateIndexesOptions.html b/docs/Next/interfaces/CreateIndexesOptions.html index cd10c29b214..8135c0afd29 100644 --- a/docs/Next/interfaces/CreateIndexesOptions.html +++ b/docs/Next/interfaces/CreateIndexesOptions.html @@ -67,7 +67,7 @@
    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    min?: number

    For geospatial indexes set the lower bound for the co-ordinates.

    name?: string

    Override the autogenerated index name (useful if the resulting name is larger than 128 bytes)

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    partialFilterExpression?: Document

    Creates a partial index based on the given filter object (MongoDB 3.2 or higher)

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    partialFilterExpression?: Document

    Creates a partial index based on the given filter object (MongoDB 3.2 or higher)

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    @@ -87,15 +87,15 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    sparse?: boolean

    Creates a sparse index.

    +
    sparse?: boolean

    Creates a sparse index.

    storageEngine?: Document

    Allows users to configure the storage engine on a per-index basis when creating an index. (MongoDB 3.0 or higher)

    textIndexVersion?: number
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    unique?: boolean

    Creates an unique index.

    +
    unique?: boolean

    Creates an unique index.

    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    version?: number

    Specifies the index version number, either 0 or 1.

    -
    weights?: Document
    wildcardProjection?: Document
    willRetryWrite?: boolean
    +
    weights?: Document
    wildcardProjection?: Document
    willRetryWrite?: boolean
    diff --git a/docs/Next/interfaces/CursorStreamOptions.html b/docs/Next/interfaces/CursorStreamOptions.html index a6912d12a44..145352abe11 100644 --- a/docs/Next/interfaces/CursorStreamOptions.html +++ b/docs/Next/interfaces/CursorStreamOptions.html @@ -1,3 +1,3 @@ -CursorStreamOptions | mongodb

    Interface CursorStreamOptions

    interface CursorStreamOptions {
        transform?(this: void, doc: Document): Document;
    }

    Methods

    transform? +CursorStreamOptions | mongodb

    Interface CursorStreamOptions

    interface CursorStreamOptions {
        transform?(this: void, doc: Document): Document;
    }

    Methods

    Methods

    +

    Parameters

    Returns Document

    diff --git a/docs/Next/interfaces/DbStatsOptions.html b/docs/Next/interfaces/DbStatsOptions.html index e4d8bdec4c1..13f8cacaa68 100644 --- a/docs/Next/interfaces/DbStatsOptions.html +++ b/docs/Next/interfaces/DbStatsOptions.html @@ -42,7 +42,7 @@ note that the driver sets this to false

    true

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -61,13 +61,13 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    scale?: number

    Divide the returned sizes by scale value.

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/DeleteManyModel.html b/docs/Next/interfaces/DeleteManyModel.html index 25b29c2b2af..354fe62bdbe 100644 --- a/docs/Next/interfaces/DeleteManyModel.html +++ b/docs/Next/interfaces/DeleteManyModel.html @@ -1,7 +1,7 @@ -DeleteManyModel | mongodb

    Interface DeleteManyModel<TSchema>

    interface DeleteManyModel<TSchema> {
        collation?: CollationOptions;
        filter: Filter<TSchema>;
        hint?: Hint;
    }

    Type Parameters

    Properties

    collation? +DeleteManyModel | mongodb

    Interface DeleteManyModel<TSchema>

    interface DeleteManyModel<TSchema> {
        collation?: CollationOptions;
        filter: Filter<TSchema>;
        hint?: Hint;
    }

    Type Parameters

    Properties

    collation?: CollationOptions

    Specifies a collation.

    -
    filter: Filter<TSchema>

    The filter to limit the deleted documents.

    -
    hint?: Hint

    The index to use. If specified, then the query system will only consider plans using the hinted index.

    -
    +
    filter: Filter<TSchema>

    The filter to limit the deleted documents.

    +
    hint?: Hint

    The index to use. If specified, then the query system will only consider plans using the hinted index.

    +
    diff --git a/docs/Next/interfaces/DeleteOneModel.html b/docs/Next/interfaces/DeleteOneModel.html index a51f24688e9..421b16692f6 100644 --- a/docs/Next/interfaces/DeleteOneModel.html +++ b/docs/Next/interfaces/DeleteOneModel.html @@ -1,7 +1,7 @@ -DeleteOneModel | mongodb

    Interface DeleteOneModel<TSchema>

    interface DeleteOneModel<TSchema> {
        collation?: CollationOptions;
        filter: Filter<TSchema>;
        hint?: Hint;
    }

    Type Parameters

    Properties

    collation? +DeleteOneModel | mongodb

    Interface DeleteOneModel<TSchema>

    interface DeleteOneModel<TSchema> {
        collation?: CollationOptions;
        filter: Filter<TSchema>;
        hint?: Hint;
    }

    Type Parameters

    Properties

    collation?: CollationOptions

    Specifies a collation.

    -
    filter: Filter<TSchema>

    The filter to limit the deleted documents.

    -
    hint?: Hint

    The index to use. If specified, then the query system will only consider plans using the hinted index.

    -
    +
    filter: Filter<TSchema>

    The filter to limit the deleted documents.

    +
    hint?: Hint

    The index to use. If specified, then the query system will only consider plans using the hinted index.

    +
    diff --git a/docs/Next/interfaces/DeleteOptions.html b/docs/Next/interfaces/DeleteOptions.html index bf52b81ac46..7239703a2eb 100644 --- a/docs/Next/interfaces/DeleteOptions.html +++ b/docs/Next/interfaces/DeleteOptions.html @@ -46,7 +46,7 @@

    true

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    ordered?: boolean

    If true, when an insert fails, don't execute the remaining writes. If false, continue with remaining inserts when one fails.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    ordered?: boolean

    If true, when an insert fails, don't execute the remaining writes. If false, continue with remaining inserts when one fails.

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    @@ -66,12 +66,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/DriverInfo.html b/docs/Next/interfaces/DriverInfo.html index 6c16b20d80b..c82901d57e1 100644 --- a/docs/Next/interfaces/DriverInfo.html +++ b/docs/Next/interfaces/DriverInfo.html @@ -1,4 +1,4 @@ -DriverInfo | mongodb

    Interface DriverInfo

    interface DriverInfo {
        name?: string;
        platform?: string;
        version?: string;
    }

    Properties

    name? +DriverInfo | mongodb

    Interface DriverInfo

    interface DriverInfo {
        name?: string;
        platform?: string;
        version?: string;
    }

    Properties

    name?: string
    platform?: string
    version?: string
    +

    Properties

    name?: string
    platform?: string
    version?: string
    diff --git a/docs/Next/interfaces/DropCollectionOptions.html b/docs/Next/interfaces/DropCollectionOptions.html index 73403f2ecd2..44d861ec9a1 100644 --- a/docs/Next/interfaces/DropCollectionOptions.html +++ b/docs/Next/interfaces/DropCollectionOptions.html @@ -42,7 +42,7 @@ note that the driver sets this to false

    true

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -61,12 +61,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/EndSessionOptions.html b/docs/Next/interfaces/EndSessionOptions.html index fc00b05088a..d0f6e678ecd 100644 --- a/docs/Next/interfaces/EndSessionOptions.html +++ b/docs/Next/interfaces/EndSessionOptions.html @@ -1,5 +1,5 @@ -EndSessionOptions | mongodb

    Interface EndSessionOptions

    interface EndSessionOptions {
        force?: boolean;
        forceClear?: boolean;
        timeoutMS?: number;
    }

    Properties

    force? +EndSessionOptions | mongodb

    Interface EndSessionOptions

    interface EndSessionOptions {
        force?: boolean;
        forceClear?: boolean;
        timeoutMS?: number;
    }

    Properties

    force?: boolean
    forceClear?: boolean
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    +

    Properties

    force?: boolean
    forceClear?: boolean
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    diff --git a/docs/Next/interfaces/ErrorDescription.html b/docs/Next/interfaces/ErrorDescription.html index dac57c05541..795d8632b4c 100644 --- a/docs/Next/interfaces/ErrorDescription.html +++ b/docs/Next/interfaces/ErrorDescription.html @@ -1,6 +1,6 @@ -ErrorDescription | mongodb

    Interface ErrorDescription

    interface ErrorDescription {
        $err?: string;
        errInfo?: Document;
        errmsg?: string;
        errorLabels?: string[];
        message?: string;
    }

    Hierarchy (view full)

    Properties

    $err? +ErrorDescription | mongodb

    Interface ErrorDescription

    interface ErrorDescription {
        $err?: string;
        errInfo?: Document;
        errmsg?: string;
        errorLabels?: string[];
        message?: string;
    }

    Hierarchy (view full)

    Properties

    $err?: string
    errInfo?: Document
    errmsg?: string
    errorLabels?: string[]
    message?: string
    +

    Properties

    $err?: string
    errInfo?: Document
    errmsg?: string
    errorLabels?: string[]
    message?: string
    diff --git a/docs/Next/interfaces/EstimatedDocumentCountOptions.html b/docs/Next/interfaces/EstimatedDocumentCountOptions.html index ba1b918adfa..9c427fd95f6 100644 --- a/docs/Next/interfaces/EstimatedDocumentCountOptions.html +++ b/docs/Next/interfaces/EstimatedDocumentCountOptions.html @@ -42,7 +42,7 @@

    true

    maxTimeMS?: number

    The maximum amount of time to allow the operation to run.

    This option is sent only if the caller explicitly provides a value. The default is to not send a value.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -61,12 +61,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/FilterOperators.html b/docs/Next/interfaces/FilterOperators.html index 8990e029d34..0406d282125 100644 --- a/docs/Next/interfaces/FilterOperators.html +++ b/docs/Next/interfaces/FilterOperators.html @@ -1,4 +1,4 @@ -FilterOperators | mongodb

    Interface FilterOperators<TValue>

    interface FilterOperators<TValue> {
        __id?: undefined;
        $all?: readonly any[];
        $bitsAllClear?: BitwiseFilter;
        $bitsAllSet?: BitwiseFilter;
        $bitsAnyClear?: BitwiseFilter;
        $bitsAnySet?: BitwiseFilter;
        $elemMatch?: Document;
        $eq?: TValue;
        $exists?: boolean;
        $expr?: Record<string, any>;
        $geoIntersects?: {
            $geometry: Document;
        };
        $geoWithin?: Document;
        $gt?: TValue;
        $gte?: TValue;
        $in?: readonly TValue[];
        $jsonSchema?: Record<string, any>;
        $lt?: TValue;
        $lte?: TValue;
        $maxDistance?: number;
        $mod?: TValue extends number
            ? [number, number]
            : never;
        $ne?: TValue;
        $near?: Document;
        $nearSphere?: Document;
        $nin?: readonly TValue[];
        $not?: TValue extends string
            ? RegExp | FilterOperators<TValue<TValue>>
            : FilterOperators<TValue>;
        $options?: TValue extends string
            ? string
            : never;
        $rand?: Record<string, never>;
        $regex?: TValue extends string
            ? string | RegExp | BSONRegExp
            : never;
        $size?: TValue extends readonly any[]
            ? number
            : never;
        $type?:
            | "string"
            | "symbol"
            | "undefined"
            | "object"
            | "double"
            | "array"
            | "binData"
            | "objectId"
            | "bool"
            | "date"
            | "null"
            | "regex"
            | "dbPointer"
            | "javascript"
            | "javascriptWithScope"
            | "int"
            | "timestamp"
            | "long"
            | "decimal"
            | "minKey"
            | "maxKey"
            | BSON.BSONType;
        id?: undefined;
        toHexString?: any;
    }

    Type Parameters

    • TValue

    Hierarchy (view full)

    Properties

    __id? +FilterOperators | mongodb

    Interface FilterOperators<TValue>

    interface FilterOperators<TValue> {
        __id?: undefined;
        $all?: readonly any[];
        $bitsAllClear?: BitwiseFilter;
        $bitsAllSet?: BitwiseFilter;
        $bitsAnyClear?: BitwiseFilter;
        $bitsAnySet?: BitwiseFilter;
        $elemMatch?: Document;
        $eq?: TValue;
        $exists?: boolean;
        $expr?: Record<string, any>;
        $geoIntersects?: {
            $geometry: Document;
        };
        $geoWithin?: Document;
        $gt?: TValue;
        $gte?: TValue;
        $in?: readonly TValue[];
        $jsonSchema?: Record<string, any>;
        $lt?: TValue;
        $lte?: TValue;
        $maxDistance?: number;
        $mod?: TValue extends number
            ? [number, number]
            : never;
        $ne?: TValue;
        $near?: Document;
        $nearSphere?: Document;
        $nin?: readonly TValue[];
        $not?: TValue extends string
            ? RegExp | FilterOperators<TValue<TValue>>
            : FilterOperators<TValue>;
        $options?: TValue extends string
            ? string
            : never;
        $rand?: Record<string, never>;
        $regex?: TValue extends string
            ? string | RegExp | BSONRegExp
            : never;
        $size?: TValue extends readonly any[]
            ? number
            : never;
        $type?:
            | "string"
            | "symbol"
            | "undefined"
            | "object"
            | "double"
            | "array"
            | "binData"
            | "objectId"
            | "bool"
            | "date"
            | "null"
            | "regex"
            | "dbPointer"
            | "javascript"
            | "javascriptWithScope"
            | "int"
            | "timestamp"
            | "long"
            | "decimal"
            | "minKey"
            | "maxKey"
            | BSON.BSONType;
        id?: undefined;
        toHexString?: any;
    }

    Type Parameters

    • TValue

    Hierarchy (view full)

    Properties

    Methods

    Properties

    __id?: undefined
    $all?: readonly any[]
    $bitsAllClear?: BitwiseFilter
    $bitsAllSet?: BitwiseFilter
    $bitsAnyClear?: BitwiseFilter
    $bitsAnySet?: BitwiseFilter
    $elemMatch?: Document
    $eq?: TValue
    $exists?: boolean

    When true, $exists matches the documents that contain the field, +

    Properties

    __id?: undefined
    $all?: readonly any[]
    $bitsAllClear?: BitwiseFilter
    $bitsAllSet?: BitwiseFilter
    $bitsAnyClear?: BitwiseFilter
    $bitsAnySet?: BitwiseFilter
    $elemMatch?: Document
    $eq?: TValue
    $exists?: boolean

    When true, $exists matches the documents that contain the field, including documents where the field value is null.

    -
    $expr?: Record<string, any>
    $geoIntersects?: {
        $geometry: Document;
    }
    $geoWithin?: Document
    $gt?: TValue
    $gte?: TValue
    $in?: readonly TValue[]
    $jsonSchema?: Record<string, any>
    $lt?: TValue
    $lte?: TValue
    $maxDistance?: number
    $mod?: TValue extends number
        ? [number, number]
        : never
    $ne?: TValue
    $near?: Document
    $nearSphere?: Document
    $nin?: readonly TValue[]
    $not?: TValue extends string
        ? RegExp | FilterOperators<TValue<TValue>>
        : FilterOperators<TValue>
    $options?: TValue extends string
        ? string
        : never
    $rand?: Record<string, never>
    $regex?: TValue extends string
        ? string | RegExp | BSONRegExp
        : never
    $size?: TValue extends readonly any[]
        ? number
        : never
    $type?:
        | "string"
        | "symbol"
        | "undefined"
        | "object"
        | "double"
        | "array"
        | "binData"
        | "objectId"
        | "bool"
        | "date"
        | "null"
        | "regex"
        | "dbPointer"
        | "javascript"
        | "javascriptWithScope"
        | "int"
        | "timestamp"
        | "long"
        | "decimal"
        | "minKey"
        | "maxKey"
        | BSON.BSONType
    id?: undefined

    Methods

    toHexString
    +
    $expr?: Record<string, any>
    $geoIntersects?: {
        $geometry: Document;
    }
    $geoWithin?: Document
    $gt?: TValue
    $gte?: TValue
    $in?: readonly TValue[]
    $jsonSchema?: Record<string, any>
    $lt?: TValue
    $lte?: TValue
    $maxDistance?: number
    $mod?: TValue extends number
        ? [number, number]
        : never
    $ne?: TValue
    $near?: Document
    $nearSphere?: Document
    $nin?: readonly TValue[]
    $not?: TValue extends string
        ? RegExp | FilterOperators<TValue<TValue>>
        : FilterOperators<TValue>
    $options?: TValue extends string
        ? string
        : never
    $rand?: Record<string, never>
    $regex?: TValue extends string
        ? string | RegExp | BSONRegExp
        : never
    $size?: TValue extends readonly any[]
        ? number
        : never
    $type?:
        | "string"
        | "symbol"
        | "undefined"
        | "object"
        | "double"
        | "array"
        | "binData"
        | "objectId"
        | "bool"
        | "date"
        | "null"
        | "regex"
        | "dbPointer"
        | "javascript"
        | "javascriptWithScope"
        | "int"
        | "timestamp"
        | "long"
        | "decimal"
        | "minKey"
        | "maxKey"
        | BSON.BSONType
    id?: undefined

    Methods

    toHexString
    diff --git a/docs/Next/interfaces/FindOneAndDeleteOptions.html b/docs/Next/interfaces/FindOneAndDeleteOptions.html index 57e1e5c48dd..678a460841f 100644 --- a/docs/Next/interfaces/FindOneAndDeleteOptions.html +++ b/docs/Next/interfaces/FindOneAndDeleteOptions.html @@ -49,7 +49,7 @@
    includeResultMetadata?: boolean

    Return the ModifyResult instead of the modified document. Defaults to false

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    projection?: Document

    Limits the fields to return for all matching documents.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    projection?: Document

    Limits the fields to return for all matching documents.

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    @@ -69,13 +69,13 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    sort?: Sort

    Determines which document the operation modifies if the query selects multiple documents.

    +
    sort?: Sort

    Determines which document the operation modifies if the query selects multiple documents.

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/FindOneAndReplaceOptions.html b/docs/Next/interfaces/FindOneAndReplaceOptions.html index b36819f37c1..26cdbc5323e 100644 --- a/docs/Next/interfaces/FindOneAndReplaceOptions.html +++ b/docs/Next/interfaces/FindOneAndReplaceOptions.html @@ -53,7 +53,7 @@
    includeResultMetadata?: boolean

    Return the ModifyResult instead of the modified document. Defaults to false

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    projection?: Document

    Limits the fields to return for all matching documents.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    projection?: Document

    Limits the fields to return for all matching documents.

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    @@ -73,15 +73,15 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    returnDocument?: ReturnDocument

    When set to 'after', returns the updated document rather than the original. The default is 'before'.

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    sort?: Sort

    Determines which document the operation modifies if the query selects multiple documents.

    +
    sort?: Sort

    Determines which document the operation modifies if the query selects multiple documents.

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    upsert?: boolean

    Upsert the document if it does not exist.

    +
    upsert?: boolean

    Upsert the document if it does not exist.

    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/FindOneAndUpdateOptions.html b/docs/Next/interfaces/FindOneAndUpdateOptions.html index b0d2eb5ecb5..4d1eef1104a 100644 --- a/docs/Next/interfaces/FindOneAndUpdateOptions.html +++ b/docs/Next/interfaces/FindOneAndUpdateOptions.html @@ -55,7 +55,7 @@
    includeResultMetadata?: boolean

    Return the ModifyResult instead of the modified document. Defaults to false

    let?: Document

    Map of parameter names and values that can be accessed using $$var (requires MongoDB 5.0).

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    projection?: Document

    Limits the fields to return for all matching documents.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    projection?: Document

    Limits the fields to return for all matching documents.

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    @@ -75,15 +75,15 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    returnDocument?: ReturnDocument

    When set to 'after', returns the updated document rather than the original. The default is 'before'.

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    sort?: Sort

    Determines which document the operation modifies if the query selects multiple documents.

    +
    sort?: Sort

    Determines which document the operation modifies if the query selects multiple documents.

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    upsert?: boolean

    Upsert the document if it does not exist.

    +
    upsert?: boolean

    Upsert the document if it does not exist.

    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/FindOptions.html b/docs/Next/interfaces/FindOptions.html index f2a56a40e87..180816747c6 100644 --- a/docs/Next/interfaces/FindOptions.html +++ b/docs/Next/interfaces/FindOptions.html @@ -73,7 +73,7 @@
    maxTimeMS?: number

    Number of milliseconds to wait before aborting the query.

    min?: Document

    The inclusive lower bound for a specific index

    noCursorTimeout?: boolean

    The server normally times out idle cursors after an inactivity period (10 minutes) to prevent excess memory use. Set this option to prevent that.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    oplogReplay?: boolean

    Option to enable an optimized code path for queries looking for a particular range of ts values in the oplog. Requires tailable to be true.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    oplogReplay?: boolean

    Option to enable an optimized code path for queries looking for a particular range of ts values in the oplog. Requires tailable to be true.

    Starting from MongoDB 4.4 this flag is not needed and will be ignored.

    projection?: Document

    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}

    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    @@ -95,18 +95,18 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    returnKey?: boolean

    If true, returns only the index keys in the resulting documents.

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    showRecordId?: boolean

    Determines whether to return the record identifier for each document. If true, adds a field $recordId to the returned documents.

    +
    showRecordId?: boolean

    Determines whether to return the record identifier for each document. If true, adds a field $recordId to the returned documents.

    singleBatch?: boolean

    Determines whether to close the cursor after the first batch. Defaults to false.

    skip?: number

    Set to skip N documents ahead in your query (useful for pagination).

    sort?: Sort

    Set to sort the documents coming back from the query. Array of indexes, [['a', 1]] etc.

    tailable?: boolean

    Specify if the cursor is tailable.

    timeout?: boolean

    Specify if the cursor can timeout.

    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    +
    willRetryWrite?: boolean
    diff --git a/docs/Next/interfaces/GCPEncryptionKeyOptions.html b/docs/Next/interfaces/GCPEncryptionKeyOptions.html index 9950a911ba7..5b0908bcd9b 100644 --- a/docs/Next/interfaces/GCPEncryptionKeyOptions.html +++ b/docs/Next/interfaces/GCPEncryptionKeyOptions.html @@ -1,14 +1,14 @@ GCPEncryptionKeyOptions | mongodb

    Interface GCPEncryptionKeyOptions

    Configuration options for making an AWS encryption key

    -
    interface GCPEncryptionKeyOptions {
        endpoint?: string;
        keyName: string;
        keyRing: string;
        keyVersion?: string;
        location: string;
        projectId: string;
    }

    Properties

    interface GCPEncryptionKeyOptions {
        endpoint?: string;
        keyName: string;
        keyRing: string;
        keyVersion?: string;
        location: string;
        projectId: string;
    }

    Properties

    endpoint?: string

    KMS URL, defaults to https://www.googleapis.com/auth/cloudkms

    -
    keyName: string

    Key name

    -
    keyRing: string

    Key ring name

    -
    keyVersion?: string

    Key version

    -
    location: string

    Location name (e.g. "global")

    -
    projectId: string

    GCP project ID

    -
    +
    keyName: string

    Key name

    +
    keyRing: string

    Key ring name

    +
    keyVersion?: string

    Key version

    +
    location: string

    Location name (e.g. "global")

    +
    projectId: string

    GCP project ID

    +
    diff --git a/docs/Next/interfaces/IndexInformationOptions.html b/docs/Next/interfaces/IndexInformationOptions.html index 83904903e13..15f1d62484c 100644 --- a/docs/Next/interfaces/IndexInformationOptions.html +++ b/docs/Next/interfaces/IndexInformationOptions.html @@ -26,8 +26,8 @@ MongoDB blocks the query thread for a period of time waiting for new data to arrive. When new data is inserted into the capped collection, the blocked thread is signaled to wake up and return the next batch to the client.

    -
    batchSize?: number

    Specifies the number of documents to return in each response from MongoDB

    -
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    +
    batchSize?: number

    Specifies the number of documents to return in each response from MongoDB

    +
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    false

    checkKeys?: boolean

    the serializer will check if keys are valid.

    false

    @@ -35,7 +35,7 @@

    In server versions pre-4.4, 'comment' must be string. A server error will be thrown if any other type is provided.

    In server versions 4.4 and above, 'comment' can be any valid BSON type.

    -
    enableUtf8Validation?: boolean

    Enable utf8 validation when deserializing BSON documents. Defaults to true.

    +
    enableUtf8Validation?: boolean

    Enable utf8 validation when deserializing BSON documents. Defaults to true.

    fieldsAsRaw?: Document

    allow to specify if there what fields we wish to return as unserialized raw buffer.

    null

    full?: boolean

    When true, an array of index descriptions is returned. @@ -54,9 +54,9 @@

    true

    maxAwaitTimeMS?: number

    When applicable maxAwaitTimeMS controls the amount of time subsequent getMores that a cursor uses to fetch more data should take. (ex. cursor.next())

    -
    maxTimeMS?: number

    When applicable maxTimeMS controls the amount of time the initial command +

    maxTimeMS?: number

    When applicable maxTimeMS controls the amount of time the initial command that constructs a cursor should take. (ex. find, aggregate, listCollections)

    -
    noCursorTimeout?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noCursorTimeout?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -73,13 +73,13 @@

    Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). It does correctly work at Db, Collection, and per operation the same as other BSON options work.

    -
    readConcern?: ReadConcernLike
    readPreference?: ReadPreferenceLike
    serializeFunctions?: boolean

    serialize the javascript functions

    +
    readConcern?: ReadConcernLike
    readPreference?: ReadPreferenceLike
    serializeFunctions?: boolean

    serialize the javascript functions

    false

    -
    session?: ClientSession
    tailable?: boolean

    By default, MongoDB will automatically close a cursor when the +

    session?: ClientSession
    tailable?: boolean

    By default, MongoDB will automatically close a cursor when the client has exhausted all results in the cursor. However, for capped collections you may use a Tailable Cursor that remains open after the client exhausts the results in the initial cursor.

    -
    timeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' +

    timeoutMode?: CursorTimeoutMode

    Specifies how timeoutMS is applied to the cursor. Can be either 'cursorLifeTime' or 'iteration' When set to 'iteration', the deadline specified by timeoutMS applies to each call of cursor.next(). When set to 'cursorLifetime', the deadline applies to the life of the entire cursor.

    @@ -93,7 +93,7 @@
    const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
    const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms.
    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error. See AbstractCursorOptions.timeoutMode for more details on how this option applies to cursors.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    diff --git a/docs/Next/interfaces/InsertOneModel.html b/docs/Next/interfaces/InsertOneModel.html index f96323d902a..b47cca175f5 100644 --- a/docs/Next/interfaces/InsertOneModel.html +++ b/docs/Next/interfaces/InsertOneModel.html @@ -1,3 +1,3 @@ -InsertOneModel | mongodb

    Interface InsertOneModel<TSchema>

    interface InsertOneModel<TSchema> {
        document: OptionalId<TSchema>;
    }

    Type Parameters

    Properties

    document +InsertOneModel | mongodb

    Interface InsertOneModel<TSchema>

    interface InsertOneModel<TSchema> {
        document: OptionalId<TSchema>;
    }

    Type Parameters

    Properties

    Properties

    document: OptionalId<TSchema>

    The document to insert.

    -
    +
    diff --git a/docs/Next/interfaces/InsertOneOptions.html b/docs/Next/interfaces/InsertOneOptions.html index 25bac949c0c..df01d436ad5 100644 --- a/docs/Next/interfaces/InsertOneOptions.html +++ b/docs/Next/interfaces/InsertOneOptions.html @@ -45,7 +45,7 @@ note that the driver sets this to false

    true

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -64,12 +64,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/KMIPEncryptionKeyOptions.html b/docs/Next/interfaces/KMIPEncryptionKeyOptions.html index f9de455a5a2..76b2eec10a7 100644 --- a/docs/Next/interfaces/KMIPEncryptionKeyOptions.html +++ b/docs/Next/interfaces/KMIPEncryptionKeyOptions.html @@ -1,10 +1,10 @@ KMIPEncryptionKeyOptions | mongodb

    Interface KMIPEncryptionKeyOptions

    Configuration options for making a KMIP encryption key

    -
    interface KMIPEncryptionKeyOptions {
        delegated?: boolean;
        endpoint?: string;
        keyId?: string;
    }

    Properties

    interface KMIPEncryptionKeyOptions {
        delegated?: boolean;
        endpoint?: string;
        keyId?: string;
    }

    Properties

    delegated?: boolean

    If true, this key should be decrypted by the KMIP server.

    Requires mongodb-client-encryption>=6.0.1.

    -
    endpoint?: string

    Host with optional port.

    -
    keyId?: string

    keyId is the KMIP Unique Identifier to a 96 byte KMIP Secret Data managed object.

    +
    endpoint?: string

    Host with optional port.

    +
    keyId?: string

    keyId is the KMIP Unique Identifier to a 96 byte KMIP Secret Data managed object.

    If keyId is omitted, a random 96 byte KMIP Secret Data managed object will be created.

    -
    +
    diff --git a/docs/Next/interfaces/ListCollectionsOptions.html b/docs/Next/interfaces/ListCollectionsOptions.html index cdd84dbaedf..12ad08e8475 100644 --- a/docs/Next/interfaces/ListCollectionsOptions.html +++ b/docs/Next/interfaces/ListCollectionsOptions.html @@ -1,4 +1,4 @@ -ListCollectionsOptions | mongodb

    Interface ListCollectionsOptions

    interface ListCollectionsOptions {
        authdb?: string;
        authorizedCollections?: boolean;
        batchSize?: number;
        bsonRegExp?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        ignoreUndefined?: boolean;
        maxTimeMS?: number;
        nameOnly?: boolean;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
    }

    Hierarchy

    Properties

    authdb? +ListCollectionsOptions | mongodb

    Interface ListCollectionsOptions

    interface ListCollectionsOptions {
        authdb?: string;
        authorizedCollections?: boolean;
        batchSize?: number;
        bsonRegExp?: boolean;
        checkKeys?: boolean;
        collation?: CollationOptions;
        comment?: unknown;
        dbName?: string;
        enableUtf8Validation?: boolean;
        explain?: ExplainVerbosityLike | ExplainCommandOptions;
        fieldsAsRaw?: Document;
        ignoreUndefined?: boolean;
        maxTimeMS?: number;
        nameOnly?: boolean;
        noResponse?: boolean;
        omitReadPreference?: boolean;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readPreference?: ReadPreferenceLike;
        retryWrites?: boolean;
        serializeFunctions?: boolean;
        session?: ClientSession;
        signal?: AbortSignal;
        timeoutMS?: number;
        useBigInt64?: boolean;
        willRetryWrite?: boolean;
    }

    Hierarchy (view full)

    Properties

    authdb?: string
    authorizedCollections?: boolean

    Since 4.0: If true and nameOnly is true, allows a user without the required privilege (i.e. listCollections action on the database) to run the command when access control is enforced.

    -
    batchSize?: number

    The batchSize for the returned command cursor or if pre 2.8 the systems batch collection

    -
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    +
    batchSize?: number

    The batchSize for the returned command cursor or if pre 2.8 the systems batch collection

    +
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    false

    checkKeys?: boolean

    the serializer will check if keys are valid.

    false

    @@ -46,7 +47,7 @@

    true

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    nameOnly?: boolean

    Since 4.0: If true, will only return the collection name in the response, and will omit additional info

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    signal?: AbortSignal

    When provided, the corresponding AbortController can be used to abort an asynchronous action.

    +

    The signal.reason value is used as the error thrown.

    +

    NOTE: If an abort signal aborts an operation while the driver is writing to the underlying +socket or reading the response from the server, the socket will be closed. +If signals are aborted at a high rate during socket read/writes this can lead to a high rate of connection reestablishment.

    +

    We plan to mitigate this in a future release, please follow NODE-6062 (timeoutMS expiration suffers the same limitation).

    +

    AbortSignals are likely a best fit for human interactive interruption (ex. ctrl-C) where the frequency +of cancellation is reasonably low. If a signal is programmatically aborted for 100s of operations you can empty +the driver's connection pool.

    +
    const controller = new AbortController();
    const { signal } = controller;
    process.on('SIGINT', () => controller.abort(new Error('^C pressed')));

    try {
    const res = await fetch('...', { signal });
    await collection.findOne(await res.json(), { signal });
    catch (error) {
    if (error === signal.reason) {
    // signal abort error handling
    }
    } +
    + +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    +
    willRetryWrite?: boolean
    diff --git a/docs/Next/interfaces/ListDatabasesOptions.html b/docs/Next/interfaces/ListDatabasesOptions.html index b9042d6afff..000ab716691 100644 --- a/docs/Next/interfaces/ListDatabasesOptions.html +++ b/docs/Next/interfaces/ListDatabasesOptions.html @@ -47,7 +47,7 @@

    true

    maxTimeMS?: number

    maxTimeMS is a server-side time limit in milliseconds for processing an operation.

    nameOnly?: boolean

    A flag to indicate whether the command should return just the database names, or return both database names and size information

    -
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    noResponse?: boolean
    omitReadPreference?: boolean
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    @@ -66,12 +66,12 @@
    readConcern?: ReadConcernLike

    Specify a read concern and level for the collection. (only MongoDB 3.2 or higher supported)

    readPreference?: ReadPreferenceLike

    The preferred read preference (ReadPreference.primary, ReadPreference.primary_preferred, ReadPreference.secondary, ReadPreference.secondary_preferred, ReadPreference.nearest).

    -
    retryWrites?: boolean

    Should retry failed writes

    +
    retryWrites?: boolean

    Should retry failed writes

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    session?: ClientSession

    Specify ClientSession for this command

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    -
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    +
    willRetryWrite?: boolean
    writeConcern?: WriteConcern | WriteConcernSettings

    Write Concern as an object

    diff --git a/docs/Next/interfaces/Log.html b/docs/Next/interfaces/Log.html new file mode 100644 index 00000000000..bc6f461bd6d --- /dev/null +++ b/docs/Next/interfaces/Log.html @@ -0,0 +1,5 @@ +Log | mongodb

    Interface Log

    interface Log {
        c: MongoLoggableComponent;
        message?: string;
        s: SeverityLevel;
        t: Date;
    }

    Hierarchy

    • Record<string, any>
      • Log

    Properties

    c +message? +s +t +

    Properties

    message?: string
    t: Date
    diff --git a/docs/Next/interfaces/LogComponentSeveritiesClientOptions.html b/docs/Next/interfaces/LogComponentSeveritiesClientOptions.html new file mode 100644 index 00000000000..cc46072a7b6 --- /dev/null +++ b/docs/Next/interfaces/LogComponentSeveritiesClientOptions.html @@ -0,0 +1,13 @@ +LogComponentSeveritiesClientOptions | mongodb

    Interface LogComponentSeveritiesClientOptions

    interface LogComponentSeveritiesClientOptions {
        client?: SeverityLevel;
        command?: SeverityLevel;
        connection?: SeverityLevel;
        default?: SeverityLevel;
        serverSelection?: SeverityLevel;
        topology?: SeverityLevel;
    }

    Properties

    client?: SeverityLevel

    Optional severity level for client component

    +
    command?: SeverityLevel

    Optional severity level for command component

    +
    connection?: SeverityLevel

    Optional severity level for connection component

    +
    default?: SeverityLevel

    Optional default severity level to be used if any of the above are unset

    +
    serverSelection?: SeverityLevel

    Optional severity level for server selection component

    +
    topology?: SeverityLevel

    Optional severity level for topology component

    +
    diff --git a/docs/Next/interfaces/ModifyResult.html b/docs/Next/interfaces/ModifyResult.html index cb35f0ea1c5..0c2e24ee100 100644 --- a/docs/Next/interfaces/ModifyResult.html +++ b/docs/Next/interfaces/ModifyResult.html @@ -1,4 +1,4 @@ -ModifyResult | mongodb

    Interface ModifyResult<TSchema>

    interface ModifyResult<TSchema> {
        lastErrorObject?: Document;
        ok: 0 | 1;
        value: null | WithId<TSchema>;
    }

    Type Parameters

    Properties

    lastErrorObject? +ModifyResult | mongodb

    Interface ModifyResult<TSchema>

    interface ModifyResult<TSchema> {
        lastErrorObject?: Document;
        ok: 0 | 1;
        value: null | WithId<TSchema>;
    }

    Type Parameters

    Properties

    lastErrorObject?: Document
    ok: 0 | 1
    value: null | WithId<TSchema>
    +

    Properties

    lastErrorObject?: Document
    ok: 0 | 1
    value: null | WithId<TSchema>
    diff --git a/docs/Next/interfaces/MongoClientOptions.html b/docs/Next/interfaces/MongoClientOptions.html index 4ff1de20356..e0066a73053 100644 --- a/docs/Next/interfaces/MongoClientOptions.html +++ b/docs/Next/interfaces/MongoClientOptions.html @@ -1,6 +1,6 @@ MongoClientOptions | mongodb

    Interface MongoClientOptions

    Describes all possible URI query options for the mongo client

    interface MongoClientOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        appName?: string;
        auth?: Auth;
        authMechanism?: AuthMechanism;
        authMechanismProperties?: AuthMechanismProperties;
        authSource?: string;
        autoEncryption?: AutoEncryptionOptions;
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        bsonRegExp?: boolean;
        ca?: string | Buffer | (string | Buffer)[];
        cert?: string | Buffer | (string | Buffer)[];
        checkKeys?: boolean;
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors?: string | (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS?: number;
        crl?: string | Buffer | (string | Buffer)[];
        directConnection?: boolean;
        driverInfo?: DriverInfo;
        ecdhCurve?: string;
        enableUtf8Validation?: boolean;
        family?: number;
        fieldsAsRaw?: Document;
        forceServerObjectId?: boolean;
        heartbeatFrequencyMS?: number;
        hints?: number;
        ignoreUndefined?: boolean;
        journal?: boolean;
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced?: boolean;
        localAddress?: string;
        localPort?: number;
        localThresholdMS?: number;
        lookup?: LookupFunction;
        maxConnecting?: number;
        maxIdleTimeMS?: number;
        maxPoolSize?: number;
        maxStalenessSeconds?: number;
        minDHSize?: number;
        minHeartbeatFrequencyMS?: number;
        minPoolSize?: number;
        monitorCommands?: boolean;
        noDelay?: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        pkFactory?: PkFactory;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readConcernLevel?: ReadConcernLevel;
        readPreference?: ReadPreference | ReadPreferenceMode;
        readPreferenceTags?: TagSet[];
        rejectUnauthorized?: boolean;
        replicaSet?: string;
        retryReads?: boolean;
        retryWrites?: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serializeFunctions?: boolean;
        serverApi?: "1" | ServerApi;
        serverMonitoringMode?: ServerMonitoringMode;
        servername?: string;
        serverSelectionTimeoutMS?: number;
        session?: Buffer;
        socketTimeoutMS?: number;
        srvMaxHosts?: number;
        srvServiceName?: string;
        ssl?: boolean;
        timeoutMS?: number;
        tls?: boolean;
        tlsAllowInvalidCertificates?: boolean;
        tlsAllowInvalidHostnames?: boolean;
        tlsCAFile?: string;
        tlsCertificateKeyFile?: string;
        tlsCertificateKeyFilePassword?: string;
        tlsCRLFile?: string;
        tlsInsecure?: boolean;
        useBigInt64?: boolean;
        w?: W;
        waitQueueTimeoutMS?: number;
        writeConcern?: WriteConcern | WriteConcernSettings;
        wtimeoutMS?: number;
        zlibCompressionLevel?:
            | 0
            | 5
            | 1
            | 3
            | 9
            | 4
            | 2
            | 7
            | 6
            | 8;
    }

    Hierarchy (view full)

    Properties

    interface MongoClientOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        appName?: string;
        auth?: Auth;
        authMechanism?: AuthMechanism;
        authMechanismProperties?: AuthMechanismProperties;
        authSource?: string;
        autoEncryption?: AutoEncryptionOptions;
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        bsonRegExp?: boolean;
        ca?: string | Buffer | (string | Buffer)[];
        cert?: string | Buffer | (string | Buffer)[];
        checkKeys?: boolean;
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors?: string | (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS?: number;
        crl?: string | Buffer | (string | Buffer)[];
        directConnection?: boolean;
        driverInfo?: DriverInfo;
        ecdhCurve?: string;
        enableUtf8Validation?: boolean;
        family?: number;
        fieldsAsRaw?: Document;
        forceServerObjectId?: boolean;
        heartbeatFrequencyMS?: number;
        hints?: number;
        ignoreUndefined?: boolean;
        journal?: boolean;
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced?: boolean;
        localAddress?: string;
        localPort?: number;
        localThresholdMS?: number;
        lookup?: LookupFunction;
        maxConnecting?: number;
        maxIdleTimeMS?: number;
        maxPoolSize?: number;
        maxStalenessSeconds?: number;
        minDHSize?: number;
        minHeartbeatFrequencyMS?: number;
        minPoolSize?: number;
        mongodbLogComponentSeverities?: LogComponentSeveritiesClientOptions;
        mongodbLogMaxDocumentLength?: number;
        mongodbLogPath?: MongoDBLogWritable | "stdout" | "stderr";
        monitorCommands?: boolean;
        noDelay?: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        pkFactory?: PkFactory;
        promoteBuffers?: boolean;
        promoteLongs?: boolean;
        promoteValues?: boolean;
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        raw?: boolean;
        readConcern?: ReadConcernLike;
        readConcernLevel?: ReadConcernLevel;
        readPreference?: ReadPreference | ReadPreferenceMode;
        readPreferenceTags?: TagSet[];
        rejectUnauthorized?: boolean;
        replicaSet?: string;
        retryReads?: boolean;
        retryWrites?: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serializeFunctions?: boolean;
        serverApi?: "1" | ServerApi;
        serverMonitoringMode?: ServerMonitoringMode;
        servername?: string;
        serverSelectionTimeoutMS?: number;
        session?: Buffer;
        socketTimeoutMS?: number;
        srvMaxHosts?: number;
        srvServiceName?: string;
        ssl?: boolean;
        timeoutMS?: number;
        tls?: boolean;
        tlsAllowInvalidCertificates?: boolean;
        tlsAllowInvalidHostnames?: boolean;
        tlsCAFile?: string;
        tlsCertificateKeyFile?: string;
        tlsCertificateKeyFilePassword?: string;
        tlsCRLFile?: string;
        tlsInsecure?: boolean;
        useBigInt64?: boolean;
        w?: W;
        waitQueueTimeoutMS?: number;
        writeConcern?: WriteConcern | WriteConcernSettings;
        wtimeoutMS?: number;
        zlibCompressionLevel?:
            | 0
            | 5
            | 1
            | 3
            | 9
            | 4
            | 2
            | 7
            | 6
            | 8;
    }

    Hierarchy (view full)

    Properties

    allowPartialTrustChain?: boolean

    Treat intermediate (non-self-signed) certificates in the trust CA certificate list as trusted.

    v22.9.0, v20.18.0

    -
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. +

    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. (Protocols should be ordered by their priority.)

    appName?: string

    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

    -
    auth?: Auth

    The auth settings for when connection to server.

    -
    authMechanism?: AuthMechanism

    Specify the authentication mechanism that MongoDB will use to authenticate the connection.

    -
    authMechanismProperties?: AuthMechanismProperties

    Specify properties for the specified authMechanism as a comma-separated list of colon-separated key-value pairs.

    -
    authSource?: string

    Specify the database name associated with the user’s credentials.

    -
    autoEncryption?: AutoEncryptionOptions

    Optionally enable in-use auto encryption

    +
    auth?: Auth

    The auth settings for when connection to server.

    +
    authMechanism?: AuthMechanism

    Specify the authentication mechanism that MongoDB will use to authenticate the connection.

    +
    authMechanismProperties?: AuthMechanismProperties

    Specify properties for the specified authMechanism as a comma-separated list of colon-separated key-value pairs.

    +
    authSource?: string

    Specify the database name associated with the user’s credentials.

    +
    autoEncryption?: AutoEncryptionOptions

    Optionally enable in-use auto encryption

    Automatic encryption is an enterprise only feature that only applies to operations on a collection. Automatic encryption is not supported for operations on a database or view, and operations that are not bypassed will result in error (see libmongocrypt: Auto Encryption Allow-List). To bypass automatic encryption for all operations, set bypassAutoEncryption=true in AutoEncryptionOpts.

    Automatic encryption requires the authenticated user to have the listCollections privilege action.

    @@ -111,9 +114,9 @@
  • AutoEncryptionOptions.bypassAutomaticEncryption is false.
  • If an internal MongoClient is created, it is configured with the same options as the parent MongoClient except minPoolSize is set to 0 and AutoEncryptionOptions is omitted.

    -
    autoSelectFamily?: boolean

    v18.13.0

    -
    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    -
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    +
    autoSelectFamily?: boolean

    v18.13.0

    +
    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    +
    bsonRegExp?: boolean

    return BSON regular expressions as BSONRegExp instances.

    false

    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust the well-known CAs curated by Mozilla. Mozilla's CAs are completely @@ -150,11 +153,11 @@ ciphers can be obtained via tls.getCiphers(). Cipher names must be uppercased in order for OpenSSL to accept them.

    compressors?: string | (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]

    An array or comma-delimited string of compressors to enable network compression for communication between this client and a mongod/mongos instance.

    -
    connectTimeoutMS?: number

    The time in milliseconds to attempt a connection before timing out.

    -
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    +
    connectTimeoutMS?: number

    The time in milliseconds to attempt a connection before timing out.

    +
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    directConnection?: boolean

    Allow a driver to force a Single topology type with a connection string containing one host

    -
    driverInfo?: DriverInfo

    Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver

    -
    ecdhCurve?: string

    A string describing a named curve or a colon separated list of curve +

    driverInfo?: DriverInfo

    Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver

    +
    ecdhCurve?: string

    A string describing a named curve or a colon separated list of curve NIDs or names, for example P-521:P-384:P-256, to use for ECDH key agreement. Set to auto to select the curve automatically. Use crypto.getCurves() to obtain a list of available curve names. On @@ -165,13 +168,13 @@

    family?: number
    fieldsAsRaw?: Document

    allow to specify if there what fields we wish to return as unserialized raw buffer.

    null

    forceServerObjectId?: boolean

    Force server to assign _id values instead of driver

    -
    heartbeatFrequencyMS?: number

    heartbeatFrequencyMS controls when the driver checks the state of the MongoDB deployment. Specify the interval (in milliseconds) between checks, counted from the end of the previous check until the beginning of the next one.

    -
    hints?: number
    ignoreUndefined?: boolean

    serialize will not emit undefined fields +

    heartbeatFrequencyMS?: number

    heartbeatFrequencyMS controls when the driver checks the state of the MongoDB deployment. Specify the interval (in milliseconds) between checks, counted from the end of the previous check until the beginning of the next one.

    +
    hints?: number
    ignoreUndefined?: boolean

    serialize will not emit undefined fields note that the driver sets this to false

    true

    journal?: boolean

    The journal write concern

    Please use the writeConcern option instead

    -
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys +

    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys being encrypted. Encrypted keys will be decrypted with options.passphrase. Multiple keys using different algorithms can be provided either as an array of unencrypted key strings or buffers, @@ -180,16 +183,20 @@ object.passphrase is optional. Encrypted keys will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    loadBalanced?: boolean

    Instruct the driver it is connecting to a load balancer fronting a mongos like service

    -
    localAddress?: string
    localPort?: number
    localThresholdMS?: number

    The size (in milliseconds) of the latency window for selecting among multiple suitable MongoDB instances.

    -
    lookup?: LookupFunction
    maxConnecting?: number

    The maximum number of connections that may be in the process of being established concurrently by the connection pool.

    -
    maxIdleTimeMS?: number

    The maximum number of milliseconds that a connection can remain idle in the pool before being removed and closed.

    -
    maxPoolSize?: number

    The maximum number of connections in the connection pool.

    -
    maxStalenessSeconds?: number

    Specifies, in seconds, how stale a secondary can be before the client stops using it for read operations.

    -
    minDHSize?: number
    minHeartbeatFrequencyMS?: number

    Sets the minimum heartbeat frequency. In the event that the driver has to frequently re-check a server's availability, it will wait at least this long since the previous check to avoid wasted effort.

    -
    minPoolSize?: number

    The minimum number of connections in the connection pool.

    -
    monitorCommands?: boolean

    Enable command monitoring for this client

    -
    noDelay?: boolean

    TCP Connection no delay

    -
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    +
    localAddress?: string
    localPort?: number
    localThresholdMS?: number

    The size (in milliseconds) of the latency window for selecting among multiple suitable MongoDB instances.

    +
    lookup?: LookupFunction
    maxConnecting?: number

    The maximum number of connections that may be in the process of being established concurrently by the connection pool.

    +
    maxIdleTimeMS?: number

    The maximum number of milliseconds that a connection can remain idle in the pool before being removed and closed.

    +
    maxPoolSize?: number

    The maximum number of connections in the connection pool.

    +
    maxStalenessSeconds?: number

    Specifies, in seconds, how stale a secondary can be before the client stops using it for read operations.

    +
    minDHSize?: number
    minHeartbeatFrequencyMS?: number

    Sets the minimum heartbeat frequency. In the event that the driver has to frequently re-check a server's availability, it will wait at least this long since the previous check to avoid wasted effort.

    +
    minPoolSize?: number

    The minimum number of connections in the connection pool.

    +
    mongodbLogComponentSeverities?: LogComponentSeveritiesClientOptions

    Enable logging level per component or use default to control any unset components.

    +
    mongodbLogMaxDocumentLength?: number

    All BSON documents are stringified to EJSON. This controls the maximum length of those strings. +It is defaulted to 1000.

    +
    mongodbLogPath?: MongoDBLogWritable | "stdout" | "stderr"

    Specifies the destination of the driver's logging. The default is stderr.

    +
    monitorCommands?: boolean

    Enable command monitoring for this client

    +
    noDelay?: boolean

    TCP Connection no delay

    +
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    pfx?: string | Buffer | (string | Buffer | PxfObject)[]

    PFX or PKCS12 encoded private key and certificate chain. pfx is an alternative to providing key and cert individually. PFX is usually encrypted, if it is, passphrase will be used to decrypt it. Multiple @@ -199,17 +206,17 @@ object.passphrase is optional. Encrypted PFX will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    pkFactory?: PkFactory

    A primary key factory function for generation of custom _id keys

    -
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    +
    promoteBuffers?: boolean

    when deserializing a Binary will return it as a node.js Buffer instance.

    false

    promoteLongs?: boolean

    when deserializing a Long will fit it into a Number if it's smaller than 53 bits.

    true

    promoteValues?: boolean

    when deserializing will promote BSON values to their Node.js closest equivalent types.

    true

    proxyHost?: string

    Configures a Socks5 proxy host used for creating TCP connections.

    -
    proxyPassword?: string

    Configures a Socks5 proxy password when the proxy in proxyHost requires username/password authentication.

    -
    proxyPort?: number

    Configures a Socks5 proxy port used for creating TCP connections.

    -
    proxyUsername?: string

    Configures a Socks5 proxy username when the proxy in proxyHost requires username/password authentication.

    -
    raw?: boolean

    Enabling the raw option will return a Node.js Buffer +

    proxyPassword?: string

    Configures a Socks5 proxy password when the proxy in proxyHost requires username/password authentication.

    +
    proxyPort?: number

    Configures a Socks5 proxy port used for creating TCP connections.

    +
    proxyUsername?: string

    Configures a Socks5 proxy username when the proxy in proxyHost requires username/password authentication.

    +
    raw?: boolean

    Enabling the raw option will return a Node.js Buffer which is allocated using allocUnsafe API. See this section from the Node.js Docs here for more detail about what "unsafe" refers to in this context. @@ -221,19 +228,19 @@

    Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). It does correctly work at Db, Collection, and per operation the same as other BSON options work.

    readConcern?: ReadConcernLike

    Specify a read concern for the collection (only MongoDB 3.2 or higher supported)

    -
    readConcernLevel?: ReadConcernLevel

    The level of isolation

    -

    Specifies the read preferences for this connection

    -
    readPreferenceTags?: TagSet[]

    Specifies the tags document as a comma-separated list of colon-separated key-value pairs.

    -
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not +

    readConcernLevel?: ReadConcernLevel

    The level of isolation

    +

    Specifies the read preferences for this connection

    +
    readPreferenceTags?: TagSet[]

    Specifies the tags document as a comma-separated list of colon-separated key-value pairs.

    +
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not authorized with the list of supplied CAs. This option only has an effect if requestCert is true.

    true
     
    replicaSet?: string

    Specifies the name of the replica set, if the mongod is a member of a replica set.

    -
    retryReads?: boolean

    Enables retryable reads.

    -
    retryWrites?: boolean

    Enable retryable writes.

    -
    secureContext?: SecureContext

    An optional TLS context object from tls.createSecureContext()

    +
    retryReads?: boolean

    Enables retryable reads.

    +
    retryWrites?: boolean

    Enable retryable writes.

    +
    secureContext?: SecureContext

    An optional TLS context object from tls.createSecureContext()

    secureProtocol?: string

    Legacy mechanism to select the TLS protocol version to use, it does not support independent control of the minimum and maximum version, and does not support limiting the protocol to TLSv1.3. Use @@ -246,33 +253,33 @@

    serializeFunctions?: boolean

    serialize the javascript functions

    false

    serverApi?: "1" | ServerApi

    Server API version

    -
    serverMonitoringMode?: ServerMonitoringMode

    Instructs the driver monitors to use a specific monitoring mode

    -
    servername?: string
    serverSelectionTimeoutMS?: number

    Specifies how long (in milliseconds) to block for server selection before throwing an exception.

    -
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    +
    serverMonitoringMode?: ServerMonitoringMode

    Instructs the driver monitors to use a specific monitoring mode

    +
    servername?: string
    serverSelectionTimeoutMS?: number

    Specifies how long (in milliseconds) to block for server selection before throwing an exception.

    +
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    socketTimeoutMS?: number

    The time in milliseconds to attempt a send or receive on a socket before the attempt times out.

    -
    srvMaxHosts?: number

    The maximum number of hosts to connect to when using an srv connection string, a setting of 0 means unlimited hosts

    -
    srvServiceName?: string

    Modifies the srv URI to look like:

    +
    srvMaxHosts?: number

    The maximum number of hosts to connect to when using an srv connection string, a setting of 0 means unlimited hosts

    +
    srvServiceName?: string

    Modifies the srv URI to look like:

    _{srvServiceName}._tcp.{hostname}.{domainname}

    Querying this DNS URI is expected to respond with SRV records

    -
    ssl?: boolean

    A boolean to enable or disables TLS/SSL for the connection. (The ssl option is equivalent to the tls option.)

    -
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    -
    tls?: boolean

    Enables or disables TLS/SSL for the connection.

    -
    tlsAllowInvalidCertificates?: boolean

    Bypasses validation of the certificates presented by the mongod/mongos instance

    -
    tlsAllowInvalidHostnames?: boolean

    Disables hostname validation of the certificate presented by the mongod/mongos instance.

    -
    tlsCAFile?: string

    Specifies the location of a local .pem file that contains the root certificate chain from the Certificate Authority. This file is used to validate the certificate presented by the mongod/mongos instance.

    -
    tlsCertificateKeyFile?: string

    Specifies the location of a local .pem file that contains either the client's TLS/SSL certificate and key.

    -
    tlsCertificateKeyFilePassword?: string

    Specifies the password to de-crypt the tlsCertificateKeyFile.

    -
    tlsCRLFile?: string

    Specifies the location of a local CRL .pem file that contains the client revokation list.

    -
    tlsInsecure?: boolean

    Disables various certificate validations.

    -
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    +
    ssl?: boolean

    A boolean to enable or disables TLS/SSL for the connection. (The ssl option is equivalent to the tls option.)

    +
    timeoutMS?: number

    Specifies the time an operation will run until it throws a timeout error

    +
    tls?: boolean

    Enables or disables TLS/SSL for the connection.

    +
    tlsAllowInvalidCertificates?: boolean

    Bypasses validation of the certificates presented by the mongod/mongos instance

    +
    tlsAllowInvalidHostnames?: boolean

    Disables hostname validation of the certificate presented by the mongod/mongos instance.

    +
    tlsCAFile?: string

    Specifies the location of a local .pem file that contains the root certificate chain from the Certificate Authority. This file is used to validate the certificate presented by the mongod/mongos instance.

    +
    tlsCertificateKeyFile?: string

    Specifies the location of a local .pem file that contains either the client's TLS/SSL certificate and key.

    +
    tlsCertificateKeyFilePassword?: string

    Specifies the password to de-crypt the tlsCertificateKeyFile.

    +
    tlsCRLFile?: string

    Specifies the location of a local CRL .pem file that contains the client revokation list.

    +
    tlsInsecure?: boolean

    Disables various certificate validations.

    +
    useBigInt64?: boolean

    when deserializing a Long return as a BigInt.

    false

    w?: W

    The write concern w value

    Please use the writeConcern option instead

    -
    waitQueueTimeoutMS?: number

    The maximum time in milliseconds that a thread can wait for a connection to become available.

    -

    A MongoDB WriteConcern, which describes the level of acknowledgement +

    waitQueueTimeoutMS?: number

    The maximum time in milliseconds that a thread can wait for a connection to become available.

    +

    A MongoDB WriteConcern, which describes the level of acknowledgement requested from MongoDB for write operations.

    wtimeoutMS?: number

    The write concern timeout

    +
    wtimeoutMS?: number

    The write concern timeout

    Please use the writeConcern option instead

    -
    zlibCompressionLevel?:
        | 0
        | 5
        | 1
        | 3
        | 9
        | 4
        | 2
        | 7
        | 6
        | 8

    An integer that specifies the compression level if using zlib for network compression.

    -
    +
    zlibCompressionLevel?:
        | 0
        | 5
        | 1
        | 3
        | 9
        | 4
        | 2
        | 7
        | 6
        | 8

    An integer that specifies the compression level if using zlib for network compression.

    +
    diff --git a/docs/Next/interfaces/MongoDBLogWritable.html b/docs/Next/interfaces/MongoDBLogWritable.html new file mode 100644 index 00000000000..b46245d0d40 --- /dev/null +++ b/docs/Next/interfaces/MongoDBLogWritable.html @@ -0,0 +1,18 @@ +MongoDBLogWritable | mongodb

    Interface MongoDBLogWritable

    A custom destination for structured logging messages.

    +
    interface MongoDBLogWritable {
        write(log: Log): unknown;
    }

    Methods

    Methods

    • This function will be called for every enabled log message.

      +

      It can be sync or async:

      +
        +
      • If it is synchronous it will block the driver from proceeding until this method returns.
      • +
      • If it is asynchronous the driver will not await the returned promise. It will attach fulfillment handling (.then). +If the promise rejects the logger will write an error message to stderr and stop functioning. +If the promise resolves the driver proceeds to the next log message (or waits for new ones to occur).
      • +
      +

      Tips:

      +
        +
      • We recommend writing an async write function that never rejects. +Instead handle logging errors as necessary to your use case and make the write function a noop, until it can be recovered.
      • +
      • The Log messages are structured but subject to change since the intended purpose is informational. +Program against this defensively and err on the side of stringifying whatever is passed in to write in some form or another.
      • +
      +

      Parameters

      Returns unknown

    diff --git a/docs/Next/interfaces/MongoNetworkErrorOptions.html b/docs/Next/interfaces/MongoNetworkErrorOptions.html index 7c9532b3d9f..611b3bc11d2 100644 --- a/docs/Next/interfaces/MongoNetworkErrorOptions.html +++ b/docs/Next/interfaces/MongoNetworkErrorOptions.html @@ -1,4 +1,4 @@ -MongoNetworkErrorOptions | mongodb

    Interface MongoNetworkErrorOptions

    interface MongoNetworkErrorOptions {
        beforeHandshake?: boolean;
        cause?: Error;
    }

    Properties

    beforeHandshake? +MongoNetworkErrorOptions | mongodb

    Interface MongoNetworkErrorOptions

    interface MongoNetworkErrorOptions {
        beforeHandshake?: boolean;
        cause?: Error;
    }

    Properties

    beforeHandshake?: boolean

    Indicates the timeout happened before a connection handshake completed

    -
    cause?: Error
    +
    cause?: Error
    diff --git a/docs/Next/interfaces/MongoOptions.html b/docs/Next/interfaces/MongoOptions.html index f134ae78897..be954c3f6fe 100644 --- a/docs/Next/interfaces/MongoOptions.html +++ b/docs/Next/interfaces/MongoOptions.html @@ -11,7 +11,7 @@
  • DNS SRV records and TXT records
  • Not all options may be present after client construction as some are obtained from asynchronous operations.

    -
    interface MongoOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        appName?: string;
        autoEncryption: AutoEncryptionOptions;
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        ca?: string | Buffer | (string | Buffer)[];
        cert?: string | Buffer | (string | Buffer)[];
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors: (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS: number;
        credentials?: MongoCredentials;
        crl?: string | Buffer | (string | Buffer)[];
        dbName: string;
        directConnection: boolean;
        driverInfo: DriverInfo;
        ecdhCurve?: string;
        family?: number;
        forceServerObjectId: boolean;
        heartbeatFrequencyMS: number;
        hints?: number;
        hosts: HostAddress[];
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced: boolean;
        localAddress?: string;
        localPort?: number;
        localThresholdMS: number;
        lookup?: LookupFunction;
        maxConnecting: number;
        maxIdleTimeMS: number;
        maxPoolSize: number;
        metadata: ClientMetadata;
        minDHSize?: number;
        minHeartbeatFrequencyMS: number;
        minPoolSize: number;
        monitorCommands: boolean;
        noDelay: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        pkFactory: PkFactory;
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        raw: boolean;
        readConcern: ReadConcern;
        readPreference: ReadPreference;
        rejectUnauthorized?: boolean;
        replicaSet: string;
        retryReads: boolean;
        retryWrites: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serverApi: ServerApi;
        serverMonitoringMode: ServerMonitoringMode;
        servername?: string;
        serverSelectionTimeoutMS: number;
        session?: Buffer;
        socketTimeoutMS: number;
        srvHost?: string;
        srvMaxHosts: number;
        srvServiceName: string;
        timeoutMS?: number;
        tls: boolean;
        tlsAllowInvalidCertificates: boolean;
        tlsAllowInvalidHostnames: boolean;
        tlsCAFile?: string;
        tlsCertificateKeyFile?: string;
        tlsCRLFile?: string;
        tlsInsecure: boolean;
        waitQueueTimeoutMS: number;
        writeConcern: WriteConcern;
        zlibCompressionLevel:
            | 0
            | 1
            | 2
            | 3
            | 4
            | 5
            | 6
            | 7
            | 8
            | 9;
    }

    Hierarchy (view full)

    Properties

    interface MongoOptions {
        allowPartialTrustChain?: boolean;
        ALPNProtocols?: Uint8Array | string[] | Uint8Array[];
        appName?: string;
        autoEncryption: AutoEncryptionOptions;
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
        ca?: string | Buffer | (string | Buffer)[];
        cert?: string | Buffer | (string | Buffer)[];
        checkServerIdentity?: ((hostname: string, cert: PeerCertificate) => Error | undefined);
        ciphers?: string;
        compressors: (
            | "none"
            | "snappy"
            | "zlib"
            | "zstd")[];
        connectTimeoutMS: number;
        credentials?: MongoCredentials;
        crl?: string | Buffer | (string | Buffer)[];
        dbName: string;
        directConnection: boolean;
        driverInfo: DriverInfo;
        ecdhCurve?: string;
        family?: number;
        forceServerObjectId: boolean;
        heartbeatFrequencyMS: number;
        hints?: number;
        hosts: HostAddress[];
        key?: string | Buffer | (string | Buffer | KeyObject)[];
        loadBalanced: boolean;
        localAddress?: string;
        localPort?: number;
        localThresholdMS: number;
        lookup?: LookupFunction;
        maxConnecting: number;
        maxIdleTimeMS: number;
        maxPoolSize: number;
        metadata: ClientMetadata;
        minDHSize?: number;
        minHeartbeatFrequencyMS: number;
        minPoolSize: number;
        monitorCommands: boolean;
        noDelay: boolean;
        passphrase?: string;
        pfx?: string | Buffer | (string | Buffer | PxfObject)[];
        pkFactory: PkFactory;
        proxyHost?: string;
        proxyPassword?: string;
        proxyPort?: number;
        proxyUsername?: string;
        raw: boolean;
        readConcern: ReadConcern;
        readPreference: ReadPreference;
        rejectUnauthorized?: boolean;
        replicaSet: string;
        retryReads: boolean;
        retryWrites: boolean;
        secureContext?: SecureContext;
        secureProtocol?: string;
        serverApi: ServerApi;
        serverMonitoringMode: ServerMonitoringMode;
        servername?: string;
        serverSelectionTimeoutMS: number;
        session?: Buffer;
        socketTimeoutMS: number;
        srvHost?: string;
        srvMaxHosts: number;
        srvServiceName: string;
        timeoutMS?: number;
        tls: boolean;
        tlsAllowInvalidCertificates: boolean;
        tlsAllowInvalidHostnames: boolean;
        tlsCAFile?: string;
        tlsCertificateKeyFile?: string;
        tlsCRLFile?: string;
        tlsInsecure: boolean;
        waitQueueTimeoutMS: number;
        writeConcern: WriteConcern;
        zlibCompressionLevel:
            | 0
            | 1
            | 2
            | 3
            | 4
            | 5
            | 6
            | 7
            | 8
            | 9;
    }

    Hierarchy (view full)

    • Required<Pick<MongoClientOptions,
          | "autoEncryption"
          | "connectTimeoutMS"
          | "directConnection"
          | "driverInfo"
          | "forceServerObjectId"
          | "minHeartbeatFrequencyMS"
          | "heartbeatFrequencyMS"
          | "localThresholdMS"
          | "maxConnecting"
          | "maxIdleTimeMS"
          | "maxPoolSize"
          | "minPoolSize"
          | "monitorCommands"
          | "noDelay"
          | "pkFactory"
          | "raw"
          | "replicaSet"
          | "retryReads"
          | "retryWrites"
          | "serverSelectionTimeoutMS"
          | "socketTimeoutMS"
          | "srvMaxHosts"
          | "srvServiceName"
          | "tlsAllowInvalidCertificates"
          | "tlsAllowInvalidHostnames"
          | "tlsInsecure"
          | "waitQueueTimeoutMS"
          | "zlibCompressionLevel">>
    • SupportedNodeConnectionOptions
      • MongoOptions

    Properties

    allowPartialTrustChain?: boolean

    Treat intermediate (non-self-signed) certificates in the trust CA certificate list as trusted.

    v22.9.0, v20.18.0

    -
    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. +

    ALPNProtocols?: Uint8Array | string[] | Uint8Array[]

    An array of strings or a Buffer naming possible ALPN protocols. (Protocols should be ordered by their priority.)

    -
    appName?: string
    autoEncryption: AutoEncryptionOptions

    Optionally enable in-use auto encryption

    +
    appName?: string
    autoEncryption: AutoEncryptionOptions

    Optionally enable in-use auto encryption

    Automatic encryption is an enterprise only feature that only applies to operations on a collection. Automatic encryption is not supported for operations on a database or view, and operations that are not bypassed will result in error (see libmongocrypt: Auto Encryption Allow-List). To bypass automatic encryption for all operations, set bypassAutoEncryption=true in AutoEncryptionOpts.

    Automatic encryption requires the authenticated user to have the listCollections privilege action.

    @@ -100,9 +100,9 @@
  • AutoEncryptionOptions.bypassAutomaticEncryption is false.
  • If an internal MongoClient is created, it is configured with the same options as the parent MongoClient except minPoolSize is set to 0 and AutoEncryptionOptions is omitted.

    -
    autoSelectFamily?: boolean

    v18.13.0

    -
    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    -
    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust +

    autoSelectFamily?: boolean

    v18.13.0

    +
    autoSelectFamilyAttemptTimeout?: number

    v18.13.0

    +
    ca?: string | Buffer | (string | Buffer)[]

    Optionally override the trusted CA certificates. Default is to trust the well-known CAs curated by Mozilla. Mozilla's CAs are completely replaced when CAs are explicitly specified using this option.

    cert?: string | Buffer | (string | Buffer)[]

    Cert chains in PEM format. One cert chain should be provided per @@ -134,11 +134,11 @@ information, see modifying the default cipher suite. Permitted ciphers can be obtained via tls.getCiphers(). Cipher names must be uppercased in order for OpenSSL to accept them.

    -
    compressors: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]
    connectTimeoutMS: number

    The time in milliseconds to attempt a connection before timing out.

    -
    credentials?: MongoCredentials
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    -
    dbName: string
    directConnection: boolean

    Allow a driver to force a Single topology type with a connection string containing one host

    -
    driverInfo: DriverInfo

    Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver

    -
    ecdhCurve?: string

    A string describing a named curve or a colon separated list of curve +

    compressors: (
        | "none"
        | "snappy"
        | "zlib"
        | "zstd")[]
    connectTimeoutMS: number

    The time in milliseconds to attempt a connection before timing out.

    +
    credentials?: MongoCredentials
    crl?: string | Buffer | (string | Buffer)[]

    PEM formatted CRLs (Certificate Revocation Lists).

    +
    dbName: string
    directConnection: boolean

    Allow a driver to force a Single topology type with a connection string containing one host

    +
    driverInfo: DriverInfo

    Allows a wrapping driver to amend the client metadata generated by the driver to include information about the wrapping driver

    +
    ecdhCurve?: string

    A string describing a named curve or a colon separated list of curve NIDs or names, for example P-521:P-384:P-256, to use for ECDH key agreement. Set to auto to select the curve automatically. Use crypto.getCurves() to obtain a list of available curve names. On @@ -146,8 +146,8 @@ name and description of each available elliptic curve. Default: tls.DEFAULT_ECDH_CURVE.

    family?: number
    forceServerObjectId: boolean

    Force server to assign _id values instead of driver

    -
    heartbeatFrequencyMS: number

    heartbeatFrequencyMS controls when the driver checks the state of the MongoDB deployment. Specify the interval (in milliseconds) between checks, counted from the end of the previous check until the beginning of the next one.

    -
    hints?: number
    hosts: HostAddress[]
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys +

    heartbeatFrequencyMS: number

    heartbeatFrequencyMS controls when the driver checks the state of the MongoDB deployment. Specify the interval (in milliseconds) between checks, counted from the end of the previous check until the beginning of the next one.

    +
    hints?: number
    hosts: HostAddress[]
    key?: string | Buffer | (string | Buffer | KeyObject)[]

    Private keys in PEM format. PEM allows the option of private keys being encrypted. Encrypted keys will be decrypted with options.passphrase. Multiple keys using different algorithms can be provided either as an array of unencrypted key strings or buffers, @@ -155,15 +155,15 @@ passphrase: ]}. The object form can only occur in an array. object.passphrase is optional. Encrypted keys will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    -
    loadBalanced: boolean
    localAddress?: string
    localPort?: number
    localThresholdMS: number

    The size (in milliseconds) of the latency window for selecting among multiple suitable MongoDB instances.

    -
    lookup?: LookupFunction
    maxConnecting: number

    The maximum number of connections that may be in the process of being established concurrently by the connection pool.

    -
    maxIdleTimeMS: number

    The maximum number of milliseconds that a connection can remain idle in the pool before being removed and closed.

    -
    maxPoolSize: number

    The maximum number of connections in the connection pool.

    -
    metadata: ClientMetadata
    minDHSize?: number
    minHeartbeatFrequencyMS: number

    Sets the minimum heartbeat frequency. In the event that the driver has to frequently re-check a server's availability, it will wait at least this long since the previous check to avoid wasted effort.

    -
    minPoolSize: number

    The minimum number of connections in the connection pool.

    -
    monitorCommands: boolean

    Enable command monitoring for this client

    -
    noDelay: boolean

    TCP Connection no delay

    -
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    +
    loadBalanced: boolean
    localAddress?: string
    localPort?: number
    localThresholdMS: number

    The size (in milliseconds) of the latency window for selecting among multiple suitable MongoDB instances.

    +
    lookup?: LookupFunction
    maxConnecting: number

    The maximum number of connections that may be in the process of being established concurrently by the connection pool.

    +
    maxIdleTimeMS: number

    The maximum number of milliseconds that a connection can remain idle in the pool before being removed and closed.

    +
    maxPoolSize: number

    The maximum number of connections in the connection pool.

    +
    metadata: ClientMetadata
    minDHSize?: number
    minHeartbeatFrequencyMS: number

    Sets the minimum heartbeat frequency. In the event that the driver has to frequently re-check a server's availability, it will wait at least this long since the previous check to avoid wasted effort.

    +
    minPoolSize: number

    The minimum number of connections in the connection pool.

    +
    monitorCommands: boolean

    Enable command monitoring for this client

    +
    noDelay: boolean

    TCP Connection no delay

    +
    passphrase?: string

    Shared passphrase used for a single private key and/or a PFX.

    pfx?: string | Buffer | (string | Buffer | PxfObject)[]

    PFX or PKCS12 encoded private key and certificate chain. pfx is an alternative to providing key and cert individually. PFX is usually encrypted, if it is, passphrase will be used to decrypt it. Multiple @@ -173,7 +173,7 @@ object.passphrase is optional. Encrypted PFX will be decrypted with object.passphrase if provided, or options.passphrase if it is not.

    pkFactory: PkFactory

    A primary key factory function for generation of custom _id keys

    -
    proxyHost?: string
    proxyPassword?: string
    proxyPort?: number
    proxyUsername?: string
    raw: boolean

    Enabling the raw option will return a Node.js Buffer +

    proxyHost?: string
    proxyPassword?: string
    proxyPort?: number
    proxyUsername?: string
    raw: boolean

    Enabling the raw option will return a Node.js Buffer which is allocated using allocUnsafe API. See this section from the Node.js Docs here for more detail about what "unsafe" refers to in this context. @@ -184,16 +184,16 @@

    Please note there is a known limitation where this option cannot be used at the MongoClient level (see NODE-3946). It does correctly work at Db, Collection, and per operation the same as other BSON options work.

    -
    readConcern: ReadConcern
    readPreference: ReadPreference
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not +

    readConcern: ReadConcern
    readPreference: ReadPreference
    rejectUnauthorized?: boolean

    If true the server will reject any connection which is not authorized with the list of supplied CAs. This option only has an effect if requestCert is true.

    true
     
    replicaSet: string

    Specifies the name of the replica set, if the mongod is a member of a replica set.

    -
    retryReads: boolean

    Enables retryable reads.

    -
    retryWrites: boolean

    Enable retryable writes.

    -
    secureContext?: SecureContext

    An optional TLS context object from tls.createSecureContext()

    +
    retryReads: boolean

    Enables retryable reads.

    +
    retryWrites: boolean

    Enable retryable writes.

    +
    secureContext?: SecureContext

    An optional TLS context object from tls.createSecureContext()

    secureProtocol?: string

    Legacy mechanism to select the TLS protocol version to use, it does not support independent control of the minimum and maximum version, and does not support limiting the protocol to TLSv1.3. Use @@ -203,14 +203,14 @@

    serverApi: ServerApi
    serverMonitoringMode: ServerMonitoringMode
    servername?: string
    serverSelectionTimeoutMS: number

    Specifies how long (in milliseconds) to block for server selection before throwing an exception.

    -
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    +
    serverApi: ServerApi
    serverMonitoringMode: ServerMonitoringMode
    servername?: string
    serverSelectionTimeoutMS: number

    Specifies how long (in milliseconds) to block for server selection before throwing an exception.

    +
    session?: Buffer

    An optional Buffer instance containing a TLS session.

    socketTimeoutMS: number

    The time in milliseconds to attempt a send or receive on a socket before the attempt times out.

    -
    srvHost?: string
    srvMaxHosts: number

    The maximum number of hosts to connect to when using an srv connection string, a setting of 0 means unlimited hosts

    -
    srvServiceName: string

    Modifies the srv URI to look like:

    +
    srvHost?: string
    srvMaxHosts: number

    The maximum number of hosts to connect to when using an srv connection string, a setting of 0 means unlimited hosts

    +
    srvServiceName: string

    Modifies the srv URI to look like:

    _{srvServiceName}._tcp.{hostname}.{domainname}

    Querying this DNS URI is expected to respond with SRV records

    -
    timeoutMS?: number
    tls: boolean

    NOTE ABOUT TLS Options

    If tls is provided as an option, it is equivalent to setting the ssl option.

    +
    timeoutMS?: number
    tls: boolean

    NOTE ABOUT TLS Options

    If tls is provided as an option, it is equivalent to setting the ssl option.

    NodeJS native TLS options are passed through to the socket and retain their original types.

    @@ -273,9 +273,9 @@
    -
    +
    diff --git a/docs/Next/types/BSONTypeAlias.html b/docs/Next/types/BSONTypeAlias.html index 0d7b1956918..87867bf47a7 100644 --- a/docs/Next/types/BSONTypeAlias.html +++ b/docs/Next/types/BSONTypeAlias.html @@ -1 +1 @@ -BSONTypeAlias | mongodb

    Type Alias BSONTypeAlias

    BSONTypeAlias: keyof typeof BSON.BSONType
    +BSONTypeAlias | mongodb

    Type Alias BSONTypeAlias

    BSONTypeAlias: keyof typeof BSON.BSONType
    diff --git a/docs/Next/types/BatchType.html b/docs/Next/types/BatchType.html index fffc2e92011..56a547f7933 100644 --- a/docs/Next/types/BatchType.html +++ b/docs/Next/types/BatchType.html @@ -1 +1 @@ -BatchType | mongodb

    Type Alias BatchType

    BatchType: typeof BatchType[keyof typeof BatchType]
    +BatchType | mongodb

    Type Alias BatchType

    BatchType: typeof BatchType[keyof typeof BatchType]
    diff --git a/docs/Next/types/BitwiseFilter.html b/docs/Next/types/BitwiseFilter.html index b7f64eb0d47..b68f93ef726 100644 --- a/docs/Next/types/BitwiseFilter.html +++ b/docs/Next/types/BitwiseFilter.html @@ -1 +1 @@ -BitwiseFilter | mongodb

    Type Alias BitwiseFilter

    BitwiseFilter: number | Binary | ReadonlyArray<number>
    +BitwiseFilter | mongodb

    Type Alias BitwiseFilter

    BitwiseFilter: number | Binary | ReadonlyArray<number>
    diff --git a/docs/Next/types/CSFLEKMSTlsOptions.html b/docs/Next/types/CSFLEKMSTlsOptions.html index 280440963e9..c245060dc63 100644 --- a/docs/Next/types/CSFLEKMSTlsOptions.html +++ b/docs/Next/types/CSFLEKMSTlsOptions.html @@ -1 +1 @@ -CSFLEKMSTlsOptions | mongodb

    Type Alias CSFLEKMSTlsOptions

    CSFLEKMSTlsOptions: {
        aws?: ClientEncryptionTlsOptions;
        azure?: ClientEncryptionTlsOptions;
        gcp?: ClientEncryptionTlsOptions;
        kmip?: ClientEncryptionTlsOptions;
        local?: ClientEncryptionTlsOptions;
        [key: string]: ClientEncryptionTlsOptions | undefined;
    }
    +CSFLEKMSTlsOptions | mongodb

    Type Alias CSFLEKMSTlsOptions

    CSFLEKMSTlsOptions: {
        aws?: ClientEncryptionTlsOptions;
        azure?: ClientEncryptionTlsOptions;
        gcp?: ClientEncryptionTlsOptions;
        kmip?: ClientEncryptionTlsOptions;
        local?: ClientEncryptionTlsOptions;
        [key: string]: ClientEncryptionTlsOptions | undefined;
    }
    diff --git a/docs/Next/types/Callback.html b/docs/Next/types/Callback.html index 6165023cdb7..b77b86b701d 100644 --- a/docs/Next/types/Callback.html +++ b/docs/Next/types/Callback.html @@ -1,2 +1,2 @@ Callback | mongodb

    Type Alias Callback<T>

    Callback<T>: ((error?: AnyError, result?: T) => void)

    MongoDB Driver style callback

    -

    Type Parameters

    • T = any
    +

    Type Parameters

    • T = any
    diff --git a/docs/Next/types/ClientEncryptionSocketOptions.html b/docs/Next/types/ClientEncryptionSocketOptions.html index e6f51e78638..885625eda03 100644 --- a/docs/Next/types/ClientEncryptionSocketOptions.html +++ b/docs/Next/types/ClientEncryptionSocketOptions.html @@ -1,2 +1,2 @@ ClientEncryptionSocketOptions | mongodb

    Type Alias ClientEncryptionSocketOptions

    ClientEncryptionSocketOptions: Pick<MongoClientOptions, "autoSelectFamily" | "autoSelectFamilyAttemptTimeout">

    Socket options to use for KMS requests.

    -
    +
    diff --git a/docs/Next/types/ClientEncryptionTlsOptions.html b/docs/Next/types/ClientEncryptionTlsOptions.html index 2108bdc4661..3081fcb443d 100644 --- a/docs/Next/types/ClientEncryptionTlsOptions.html +++ b/docs/Next/types/ClientEncryptionTlsOptions.html @@ -6,4 +6,4 @@
  • tlsInsecure
  • These options are not included in the type, and are ignored if provided.

    -
    +
    diff --git a/docs/Next/types/ClientSessionEvents.html b/docs/Next/types/ClientSessionEvents.html index 65974eb6314..a63921ba9cb 100644 --- a/docs/Next/types/ClientSessionEvents.html +++ b/docs/Next/types/ClientSessionEvents.html @@ -1 +1 @@ -ClientSessionEvents | mongodb

    Type Alias ClientSessionEvents

    ClientSessionEvents: {
        ended(session: ClientSession): void;
    }
    +ClientSessionEvents | mongodb

    Type Alias ClientSessionEvents

    ClientSessionEvents: {
        ended(session: ClientSession): void;
    }
    diff --git a/docs/Next/types/CommonEvents.html b/docs/Next/types/CommonEvents.html index 68d089169b0..9a4139f7ea4 100644 --- a/docs/Next/types/CommonEvents.html +++ b/docs/Next/types/CommonEvents.html @@ -1 +1 @@ -CommonEvents | mongodb

    Type Alias CommonEvents

    CommonEvents: "newListener" | "removeListener"
    +CommonEvents | mongodb

    Type Alias CommonEvents

    CommonEvents: "newListener" | "removeListener"
    diff --git a/docs/Next/types/Condition.html b/docs/Next/types/Condition.html index 13d14327116..cd415f4bd38 100644 --- a/docs/Next/types/Condition.html +++ b/docs/Next/types/Condition.html @@ -1 +1 @@ -Condition | mongodb

    Type Alias Condition<T>

    Type Parameters

    • T
    +Condition | mongodb

    Type Alias Condition<T>

    Type Parameters

    • T
    diff --git a/docs/Next/types/ConnectionEvents.html b/docs/Next/types/ConnectionEvents.html index 0a01fd81191..a877d582df2 100644 --- a/docs/Next/types/ConnectionEvents.html +++ b/docs/Next/types/ConnectionEvents.html @@ -1 +1 @@ -ConnectionEvents | mongodb

    Type Alias ConnectionEvents

    ConnectionEvents: {
        close(): void;
        clusterTimeReceived(clusterTime: Document): void;
        commandFailed(event: CommandFailedEvent): void;
        commandStarted(event: CommandStartedEvent): void;
        commandSucceeded(event: CommandSucceededEvent): void;
        pinned(pinType: string): void;
        unpinned(pinType: string): void;
    }
    +ConnectionEvents | mongodb

    Type Alias ConnectionEvents

    ConnectionEvents: {
        close(): void;
        clusterTimeReceived(clusterTime: Document): void;
        commandFailed(event: CommandFailedEvent): void;
        commandStarted(event: CommandStartedEvent): void;
        commandSucceeded(event: CommandSucceededEvent): void;
        pinned(pinType: string): void;
        unpinned(pinType: string): void;
    }
    diff --git a/docs/Next/types/ConnectionPoolEvents.html b/docs/Next/types/ConnectionPoolEvents.html index 361dea56016..20f9ca9ba43 100644 --- a/docs/Next/types/ConnectionPoolEvents.html +++ b/docs/Next/types/ConnectionPoolEvents.html @@ -1 +1 @@ -ConnectionPoolEvents | mongodb

    Type Alias ConnectionPoolEvents

    ConnectionPoolEvents: {
        connectionCheckedIn(event: ConnectionCheckedInEvent): void;
        connectionCheckedOut(event: ConnectionCheckedOutEvent): void;
        connectionCheckOutFailed(event: ConnectionCheckOutFailedEvent): void;
        connectionCheckOutStarted(event: ConnectionCheckOutStartedEvent): void;
        connectionClosed(event: ConnectionClosedEvent): void;
        connectionCreated(event: ConnectionCreatedEvent): void;
        connectionPoolCleared(event: ConnectionPoolClearedEvent): void;
        connectionPoolClosed(event: ConnectionPoolClosedEvent): void;
        connectionPoolCreated(event: ConnectionPoolCreatedEvent): void;
        connectionPoolReady(event: ConnectionPoolReadyEvent): void;
        connectionReady(event: ConnectionReadyEvent): void;
    } & Omit<ConnectionEvents, "close" | "message">
    +ConnectionPoolEvents | mongodb

    Type Alias ConnectionPoolEvents

    ConnectionPoolEvents: {
        connectionCheckedIn(event: ConnectionCheckedInEvent): void;
        connectionCheckedOut(event: ConnectionCheckedOutEvent): void;
        connectionCheckOutFailed(event: ConnectionCheckOutFailedEvent): void;
        connectionCheckOutStarted(event: ConnectionCheckOutStartedEvent): void;
        connectionClosed(event: ConnectionClosedEvent): void;
        connectionCreated(event: ConnectionCreatedEvent): void;
        connectionPoolCleared(event: ConnectionPoolClearedEvent): void;
        connectionPoolClosed(event: ConnectionPoolClosedEvent): void;
        connectionPoolCreated(event: ConnectionPoolCreatedEvent): void;
        connectionPoolReady(event: ConnectionPoolReadyEvent): void;
        connectionReady(event: ConnectionReadyEvent): void;
    } & Omit<ConnectionEvents, "close" | "message">
    diff --git a/docs/Next/types/CursorFlag.html b/docs/Next/types/CursorFlag.html index c3e583284d8..74ed3bc723c 100644 --- a/docs/Next/types/CursorFlag.html +++ b/docs/Next/types/CursorFlag.html @@ -1 +1 @@ -CursorFlag | mongodb

    Type Alias CursorFlag

    CursorFlag: typeof CURSOR_FLAGS[number]
    +CursorFlag | mongodb

    Type Alias CursorFlag

    CursorFlag: typeof CURSOR_FLAGS[number]
    diff --git a/docs/Next/types/CursorTimeoutMode.html b/docs/Next/types/CursorTimeoutMode.html index 9da0845e424..dce6580be04 100644 --- a/docs/Next/types/CursorTimeoutMode.html +++ b/docs/Next/types/CursorTimeoutMode.html @@ -1 +1 @@ -CursorTimeoutMode | mongodb

    Type Alias CursorTimeoutModeExperimental

    CursorTimeoutMode: typeof CursorTimeoutMode[keyof typeof CursorTimeoutMode]
    +CursorTimeoutMode | mongodb

    Type Alias CursorTimeoutModeExperimental

    CursorTimeoutMode: typeof CursorTimeoutMode[keyof typeof CursorTimeoutMode]
    diff --git a/docs/Next/types/EnhancedOmit.html b/docs/Next/types/EnhancedOmit.html index ae90a953768..149d73691b5 100644 --- a/docs/Next/types/EnhancedOmit.html +++ b/docs/Next/types/EnhancedOmit.html @@ -1,2 +1,2 @@ EnhancedOmit | mongodb

    Type Alias EnhancedOmit<TRecordOrUnion, KeyUnion>

    EnhancedOmit<TRecordOrUnion, KeyUnion>: string extends keyof TRecordOrUnion
        ? TRecordOrUnion
        : TRecordOrUnion extends any
            ? Pick<TRecordOrUnion, Exclude<keyof TRecordOrUnion, KeyUnion>>
            : never

    TypeScript Omit (Exclude to be specific) does not work for objects with an "any" indexed type, and breaks discriminated unions

    -

    Type Parameters

    • TRecordOrUnion
    • KeyUnion
    +

    Type Parameters

    • TRecordOrUnion
    • KeyUnion
    diff --git a/docs/Next/types/EventEmitterWithState.html b/docs/Next/types/EventEmitterWithState.html index e0148caec15..7ca51da11ad 100644 --- a/docs/Next/types/EventEmitterWithState.html +++ b/docs/Next/types/EventEmitterWithState.html @@ -1 +1 @@ -EventEmitterWithState | mongodb

    Type Alias EventEmitterWithState

    EventEmitterWithState: {}
    +EventEmitterWithState | mongodb

    Type Alias EventEmitterWithState

    EventEmitterWithState: {}
    diff --git a/docs/Next/types/EventsDescription.html b/docs/Next/types/EventsDescription.html index ee3a9b14bd5..93516b7d3f0 100644 --- a/docs/Next/types/EventsDescription.html +++ b/docs/Next/types/EventsDescription.html @@ -1,2 +1,2 @@ EventsDescription | mongodb

    Type Alias EventsDescription

    EventsDescription: Record<string, GenericListener>

    Event description type

    -
    +
    diff --git a/docs/Next/types/Filter.html b/docs/Next/types/Filter.html index fd63db6b4d0..90062cabe26 100644 --- a/docs/Next/types/Filter.html +++ b/docs/Next/types/Filter.html @@ -1,2 +1,2 @@ Filter | mongodb

    Type Alias Filter<TSchema>

    Filter<TSchema>: {
        [P in keyof WithId<TSchema>]?: Condition<WithId<TSchema>[P]>
    } & RootFilterOperators<WithId<TSchema>>

    A MongoDB filter can be some portion of the schema or a set of operators

    -

    Type Parameters

    • TSchema
    +

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/FilterOperations.html b/docs/Next/types/FilterOperations.html index 04793c16ec5..a140aff63fe 100644 --- a/docs/Next/types/FilterOperations.html +++ b/docs/Next/types/FilterOperations.html @@ -1 +1 @@ -FilterOperations | mongodb

    Type Alias FilterOperations<T>

    FilterOperations<T>: T extends Record<string, any>
        ? {
            [key in keyof T]?: FilterOperators<T[key]>
        }
        : FilterOperators<T>

    Type Parameters

    • T
    +FilterOperations | mongodb

    Type Alias FilterOperations<T>

    FilterOperations<T>: T extends Record<string, any>
        ? {
            [key in keyof T]?: FilterOperators<T[key]>
        }
        : FilterOperators<T>

    Type Parameters

    • T
    diff --git a/docs/Next/types/Flatten.html b/docs/Next/types/Flatten.html index 793a71708ab..d0b3e107609 100644 --- a/docs/Next/types/Flatten.html +++ b/docs/Next/types/Flatten.html @@ -1 +1 @@ -Flatten | mongodb

    Type Alias Flatten<Type>

    Flatten<Type>: Type extends ReadonlyArray<infer Item>
        ? Item
        : Type

    Type Parameters

    • Type
    +Flatten | mongodb

    Type Alias Flatten<Type>

    Flatten<Type>: Type extends ReadonlyArray<infer Item>
        ? Item
        : Type

    Type Parameters

    • Type
    diff --git a/docs/Next/types/GenericListener.html b/docs/Next/types/GenericListener.html index 500768689bd..8156dafd958 100644 --- a/docs/Next/types/GenericListener.html +++ b/docs/Next/types/GenericListener.html @@ -1 +1 @@ -GenericListener | mongodb

    Type Alias GenericListener

    GenericListener: ((...args: any[]) => void)
    +GenericListener | mongodb

    Type Alias GenericListener

    GenericListener: ((...args: any[]) => void)
    diff --git a/docs/Next/types/Hint.html b/docs/Next/types/Hint.html index c8f2bea0175..58f0fe97a37 100644 --- a/docs/Next/types/Hint.html +++ b/docs/Next/types/Hint.html @@ -1 +1 @@ -Hint | mongodb

    Type Alias Hint

    Hint: string | Document
    +Hint | mongodb

    Type Alias Hint

    Hint: string | Document
    diff --git a/docs/Next/types/InferIdType.html b/docs/Next/types/InferIdType.html index 0562df73d1f..391cbb802e7 100644 --- a/docs/Next/types/InferIdType.html +++ b/docs/Next/types/InferIdType.html @@ -1,2 +1,2 @@ InferIdType | mongodb

    Type Alias InferIdType<TSchema>

    InferIdType<TSchema>: TSchema extends {
            _id: infer IdType;
        }
        ? Record<any, never> extends IdType
            ? never
            : IdType
        : TSchema extends {
                _id?: infer IdType;
            }
            ? unknown extends IdType
                ? ObjectId
                : IdType
            : ObjectId

    Given an object shaped type, return the type of the _id field or default to ObjectId

    -

    Type Parameters

    • TSchema
    +

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/IntegerType.html b/docs/Next/types/IntegerType.html index aace753b099..e6cd34a6cd2 100644 --- a/docs/Next/types/IntegerType.html +++ b/docs/Next/types/IntegerType.html @@ -1 +1 @@ -IntegerType | mongodb

    Type Alias IntegerType

    IntegerType:
        | number
        | Int32
        | Long
        | bigint
    +IntegerType | mongodb

    Type Alias IntegerType

    IntegerType:
        | number
        | Int32
        | Long
        | bigint
    diff --git a/docs/Next/types/IsAny.html b/docs/Next/types/IsAny.html index 25890b293b6..a8c64d0d5df 100644 --- a/docs/Next/types/IsAny.html +++ b/docs/Next/types/IsAny.html @@ -1 +1 @@ -IsAny | mongodb

    Type Alias IsAny<Type, ResultIfAny, ResultIfNotAny>

    IsAny<Type, ResultIfAny, ResultIfNotAny>: true extends false & Type
        ? ResultIfAny
        : ResultIfNotAny

    Type Parameters

    • Type
    • ResultIfAny
    • ResultIfNotAny
    +IsAny | mongodb

    Type Alias IsAny<Type, ResultIfAny, ResultIfNotAny>

    IsAny<Type, ResultIfAny, ResultIfNotAny>: true extends false & Type
        ? ResultIfAny
        : ResultIfNotAny

    Type Parameters

    • Type
    • ResultIfAny
    • ResultIfNotAny
    diff --git a/docs/Next/types/Join.html b/docs/Next/types/Join.html index 6f4e35ed8c6..98353e21287 100644 --- a/docs/Next/types/Join.html +++ b/docs/Next/types/Join.html @@ -1 +1 @@ -Join | mongodb

    Type Alias Join<T, D>

    Join<T, D>: T extends []
        ? ""
        : T extends [string | number]
            ? `${T[0]}`
            : T extends [string | number, ...(infer R)]
                ? `${T[0]}${D}${Join<R, D>}`
                : string

    Type Parameters

    • T extends unknown[]
    • D extends string
    +Join | mongodb

    Type Alias Join<T, D>

    Join<T, D>: T extends []
        ? ""
        : T extends [string | number]
            ? `${T[0]}`
            : T extends [string | number, ...(infer R)]
                ? `${T[0]}${D}${Join<R, D>}`
                : string

    Type Parameters

    • T extends unknown[]
    • D extends string
    diff --git a/docs/Next/types/KeysOfAType.html b/docs/Next/types/KeysOfAType.html index e441586b7fa..33457830496 100644 --- a/docs/Next/types/KeysOfAType.html +++ b/docs/Next/types/KeysOfAType.html @@ -1 +1 @@ -KeysOfAType | mongodb

    Type Alias KeysOfAType<TSchema, Type>

    KeysOfAType<TSchema, Type>: {
        [key in keyof TSchema]: NonNullable<TSchema[key]> extends Type
            ? key
            : never
    }[keyof TSchema]

    Type Parameters

    • TSchema
    • Type
    +KeysOfAType | mongodb

    Type Alias KeysOfAType<TSchema, Type>

    KeysOfAType<TSchema, Type>: {
        [key in keyof TSchema]: NonNullable<TSchema[key]> extends Type
            ? key
            : never
    }[keyof TSchema]

    Type Parameters

    • TSchema
    • Type
    diff --git a/docs/Next/types/KeysOfOtherType.html b/docs/Next/types/KeysOfOtherType.html index efffdff1f16..843e2dbdab9 100644 --- a/docs/Next/types/KeysOfOtherType.html +++ b/docs/Next/types/KeysOfOtherType.html @@ -1 +1 @@ -KeysOfOtherType | mongodb

    Type Alias KeysOfOtherType<TSchema, Type>

    KeysOfOtherType<TSchema, Type>: {
        [key in keyof TSchema]: NonNullable<TSchema[key]> extends Type
            ? never
            : key
    }[keyof TSchema]

    Type Parameters

    • TSchema
    • Type
    +KeysOfOtherType | mongodb

    Type Alias KeysOfOtherType<TSchema, Type>

    KeysOfOtherType<TSchema, Type>: {
        [key in keyof TSchema]: NonNullable<TSchema[key]> extends Type
            ? never
            : key
    }[keyof TSchema]

    Type Parameters

    • TSchema
    • Type
    diff --git a/docs/Next/types/MatchKeysAndValues.html b/docs/Next/types/MatchKeysAndValues.html index fc532f6531c..0757f1bd856 100644 --- a/docs/Next/types/MatchKeysAndValues.html +++ b/docs/Next/types/MatchKeysAndValues.html @@ -1 +1 @@ -MatchKeysAndValues | mongodb

    Type Alias MatchKeysAndValues<TSchema>

    MatchKeysAndValues<TSchema>: Readonly<Partial<TSchema>> & Record<string, any>

    Type Parameters

    • TSchema
    +MatchKeysAndValues | mongodb

    Type Alias MatchKeysAndValues<TSchema>

    MatchKeysAndValues<TSchema>: Readonly<Partial<TSchema>> & Record<string, any>

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/MongoClientEvents.html b/docs/Next/types/MongoClientEvents.html index c060e28c3ec..5745c23bd7a 100644 --- a/docs/Next/types/MongoClientEvents.html +++ b/docs/Next/types/MongoClientEvents.html @@ -1 +1 @@ -MongoClientEvents | mongodb

    Type Alias MongoClientEvents

    MongoClientEvents: Pick<TopologyEvents, typeof MONGO_CLIENT_EVENTS[number]> & {
        open(mongoClient: MongoClient): void;
    }
    +MongoClientEvents | mongodb

    Type Alias MongoClientEvents

    MongoClientEvents: Pick<TopologyEvents, typeof MONGO_CLIENT_EVENTS[number]> & {
        open(mongoClient: MongoClient): void;
    }
    diff --git a/docs/Next/types/MongoErrorLabel.html b/docs/Next/types/MongoErrorLabel.html index 8ee6d0cafbf..f48e387b2c2 100644 --- a/docs/Next/types/MongoErrorLabel.html +++ b/docs/Next/types/MongoErrorLabel.html @@ -1 +1 @@ -MongoErrorLabel | mongodb

    Type Alias MongoErrorLabel

    MongoErrorLabel: typeof MongoErrorLabel[keyof typeof MongoErrorLabel]
    +MongoErrorLabel | mongodb

    Type Alias MongoErrorLabel

    MongoErrorLabel: typeof MongoErrorLabel[keyof typeof MongoErrorLabel]
    diff --git a/docs/Next/types/MongoLoggableComponent.html b/docs/Next/types/MongoLoggableComponent.html new file mode 100644 index 00000000000..0505b62f484 --- /dev/null +++ b/docs/Next/types/MongoLoggableComponent.html @@ -0,0 +1 @@ +MongoLoggableComponent | mongodb

    Type Alias MongoLoggableComponent

    MongoLoggableComponent: typeof MongoLoggableComponent[keyof typeof MongoLoggableComponent]
    diff --git a/docs/Next/types/MonitorEvents.html b/docs/Next/types/MonitorEvents.html index d17e3a07e67..d787f825af8 100644 --- a/docs/Next/types/MonitorEvents.html +++ b/docs/Next/types/MonitorEvents.html @@ -1 +1 @@ -MonitorEvents | mongodb

    Type Alias MonitorEvents

    MonitorEvents: {
        close(): void;
        resetConnectionPool(): void;
        resetServer(error?: MongoError): void;
        serverHeartbeatFailed(event: ServerHeartbeatFailedEvent): void;
        serverHeartbeatStarted(event: ServerHeartbeatStartedEvent): void;
        serverHeartbeatSucceeded(event: ServerHeartbeatSucceededEvent): void;
    } & EventEmitterWithState
    +MonitorEvents | mongodb

    Type Alias MonitorEvents

    MonitorEvents: {
        close(): void;
        resetConnectionPool(): void;
        resetServer(error?: MongoError): void;
        serverHeartbeatFailed(event: ServerHeartbeatFailedEvent): void;
        serverHeartbeatStarted(event: ServerHeartbeatStartedEvent): void;
        serverHeartbeatSucceeded(event: ServerHeartbeatSucceededEvent): void;
    } & EventEmitterWithState
    diff --git a/docs/Next/types/NestedPaths.html b/docs/Next/types/NestedPaths.html index 111ef86a60a..77f354d82ae 100644 --- a/docs/Next/types/NestedPaths.html +++ b/docs/Next/types/NestedPaths.html @@ -5,4 +5,4 @@ should be changed if issues are found with this level of checking. Beyond this depth any helpers that make use of NestedPaths should devolve to not asserting any type safety on the input.

    -
    +
    diff --git a/docs/Next/types/NestedPathsOfType.html b/docs/Next/types/NestedPathsOfType.html index a744af31bff..1c0dd386e17 100644 --- a/docs/Next/types/NestedPathsOfType.html +++ b/docs/Next/types/NestedPathsOfType.html @@ -1,3 +1,3 @@ NestedPathsOfType | mongodb

    Type Alias NestedPathsOfType<TSchema, Type>

    NestedPathsOfType<TSchema, Type>: KeysOfAType<{
        [Property in Join<NestedPaths<TSchema, []>, ".">]: PropertyType<TSchema, Property>
    }, Type>

    returns keys (strings) for every path into a schema with a value of type https://www.mongodb.com/docs/manual/tutorial/query-embedded-documents/

    -

    Type Parameters

    • TSchema
    • Type
    +

    Type Parameters

    • TSchema
    • Type
    diff --git a/docs/Next/types/NonObjectIdLikeDocument.html b/docs/Next/types/NonObjectIdLikeDocument.html index f0b01640b7c..4da5a1270ee 100644 --- a/docs/Next/types/NonObjectIdLikeDocument.html +++ b/docs/Next/types/NonObjectIdLikeDocument.html @@ -1,2 +1,2 @@ NonObjectIdLikeDocument | mongodb

    Type Alias NonObjectIdLikeDocument

    NonObjectIdLikeDocument: {
        [key in keyof ObjectIdLike]?: never
    } & Document

    A type that extends Document but forbids anything that "looks like" an object id.

    -
    +
    diff --git a/docs/Next/types/NotAcceptedFields.html b/docs/Next/types/NotAcceptedFields.html index 31e5ffb6d57..3ef4744bf91 100644 --- a/docs/Next/types/NotAcceptedFields.html +++ b/docs/Next/types/NotAcceptedFields.html @@ -1,2 +1,2 @@ NotAcceptedFields | mongodb

    Type Alias NotAcceptedFields<TSchema, FieldType>

    NotAcceptedFields<TSchema, FieldType>: {
        readonly [key in KeysOfOtherType<TSchema, FieldType>]?: never
    }

    It avoids using fields with not acceptable types

    -

    Type Parameters

    • TSchema
    • FieldType
    +

    Type Parameters

    • TSchema
    • FieldType
    diff --git a/docs/Next/types/NumericType.html b/docs/Next/types/NumericType.html index d074abd1337..3489277b0f3 100644 --- a/docs/Next/types/NumericType.html +++ b/docs/Next/types/NumericType.html @@ -1 +1 @@ -NumericType | mongodb

    Type Alias NumericType

    NumericType: IntegerType | Decimal128 | Double
    +NumericType | mongodb

    Type Alias NumericType

    NumericType: IntegerType | Decimal128 | Double
    diff --git a/docs/Next/types/OneOrMore.html b/docs/Next/types/OneOrMore.html index 4d60d8a3be3..9474fa41835 100644 --- a/docs/Next/types/OneOrMore.html +++ b/docs/Next/types/OneOrMore.html @@ -1 +1 @@ -OneOrMore | mongodb

    Type Alias OneOrMore<T>

    OneOrMore<T>: T | ReadonlyArray<T>

    Type Parameters

    • T
    +OneOrMore | mongodb

    Type Alias OneOrMore<T>

    OneOrMore<T>: T | ReadonlyArray<T>

    Type Parameters

    • T
    diff --git a/docs/Next/types/OnlyFieldsOfType.html b/docs/Next/types/OnlyFieldsOfType.html index 49a175e2e17..b388c4afa8d 100644 --- a/docs/Next/types/OnlyFieldsOfType.html +++ b/docs/Next/types/OnlyFieldsOfType.html @@ -1 +1 @@ -OnlyFieldsOfType | mongodb

    Type Alias OnlyFieldsOfType<TSchema, FieldType, AssignableType>

    OnlyFieldsOfType<TSchema, FieldType, AssignableType>: IsAny<TSchema[keyof TSchema], AssignableType extends FieldType
        ? Record<string, FieldType>
        : Record<string, AssignableType>, AcceptedFields<TSchema, FieldType, AssignableType> & NotAcceptedFields<TSchema, FieldType> & Record<string, AssignableType>>

    Type Parameters

    • TSchema
    • FieldType = any
    • AssignableType = FieldType
    +OnlyFieldsOfType | mongodb

    Type Alias OnlyFieldsOfType<TSchema, FieldType, AssignableType>

    OnlyFieldsOfType<TSchema, FieldType, AssignableType>: IsAny<TSchema[keyof TSchema], AssignableType extends FieldType
        ? Record<string, FieldType>
        : Record<string, AssignableType>, AcceptedFields<TSchema, FieldType, AssignableType> & NotAcceptedFields<TSchema, FieldType> & Record<string, AssignableType>>

    Type Parameters

    • TSchema
    • FieldType = any
    • AssignableType = FieldType
    diff --git a/docs/Next/types/OperationTime.html b/docs/Next/types/OperationTime.html index 20dbb4bda89..a58b7b66b5f 100644 --- a/docs/Next/types/OperationTime.html +++ b/docs/Next/types/OperationTime.html @@ -1,3 +1,3 @@ OperationTime | mongodb

    Type Alias OperationTime

    OperationTime: Timestamp

    Represents a specific point in time on a server. Can be retrieved by using db.command()

    +
    diff --git a/docs/Next/types/OptionalId.html b/docs/Next/types/OptionalId.html index b93c20febad..47f823ffdc5 100644 --- a/docs/Next/types/OptionalId.html +++ b/docs/Next/types/OptionalId.html @@ -1,2 +1,2 @@ OptionalId | mongodb

    Type Alias OptionalId<TSchema>

    OptionalId<TSchema>: EnhancedOmit<TSchema, "_id"> & {
        _id?: InferIdType<TSchema>;
    }

    Add an optional _id field to an object shaped type

    -

    Type Parameters

    • TSchema
    +

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/OptionalUnlessRequiredId.html b/docs/Next/types/OptionalUnlessRequiredId.html index 14704d9353a..d7044d81d75 100644 --- a/docs/Next/types/OptionalUnlessRequiredId.html +++ b/docs/Next/types/OptionalUnlessRequiredId.html @@ -1,3 +1,3 @@ OptionalUnlessRequiredId | mongodb

    Type Alias OptionalUnlessRequiredId<TSchema>

    OptionalUnlessRequiredId<TSchema>: TSchema extends {
            _id: any;
        }
        ? TSchema
        : OptionalId<TSchema>

    Adds an optional _id field to an object shaped type, unless the _id field is required on that type. In the case _id is required, this method continues to require_id.

    -

    Type Parameters

    • TSchema
    +

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/PropertyType.html b/docs/Next/types/PropertyType.html index 517bb09869f..a5d2a6f21b0 100644 --- a/docs/Next/types/PropertyType.html +++ b/docs/Next/types/PropertyType.html @@ -1 +1 @@ -PropertyType | mongodb

    Type Alias PropertyType<Type, Property>

    PropertyType<Type, Property>: string extends Property
        ? unknown
        : Property extends keyof Type
            ? Type[Property]
            : Property extends `${number}`
                ? Type extends ReadonlyArray<infer ArrayType>
                    ? ArrayType
                    : unknown
                : Property extends `${infer Key}.${infer Rest}`
                    ? Key extends `${number}`
                        ? Type extends ReadonlyArray<infer ArrayType>
                            ? PropertyType<ArrayType, Rest>
                            : unknown
                        : Key extends keyof Type
                            ? Type[Key] extends Map<string, infer MapType>
                                ? MapType
                                : PropertyType<Type[Key], Rest>
                            : unknown
                    : unknown

    Type Parameters

    • Type
    • Property extends string
    +PropertyType | mongodb

    Type Alias PropertyType<Type, Property>

    PropertyType<Type, Property>: string extends Property
        ? unknown
        : Property extends keyof Type
            ? Type[Property]
            : Property extends `${number}`
                ? Type extends ReadonlyArray<infer ArrayType>
                    ? ArrayType
                    : unknown
                : Property extends `${infer Key}.${infer Rest}`
                    ? Key extends `${number}`
                        ? Type extends ReadonlyArray<infer ArrayType>
                            ? PropertyType<ArrayType, Rest>
                            : unknown
                        : Key extends keyof Type
                            ? Type[Key] extends Map<string, infer MapType>
                                ? MapType
                                : PropertyType<Type[Key], Rest>
                            : unknown
                    : unknown

    Type Parameters

    • Type
    • Property extends string
    diff --git a/docs/Next/types/PullAllOperator.html b/docs/Next/types/PullAllOperator.html index f2839c6d165..6c226dc7e96 100644 --- a/docs/Next/types/PullAllOperator.html +++ b/docs/Next/types/PullAllOperator.html @@ -1 +1 @@ -PullAllOperator | mongodb

    Type Alias PullAllOperator<TSchema>

    PullAllOperator<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: TSchema[key]
    } & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
        [key: string]: ReadonlyArray<any>;
    }

    Type Parameters

    • TSchema
    +PullAllOperator | mongodb

    Type Alias PullAllOperator<TSchema>

    PullAllOperator<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: TSchema[key]
    } & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
        [key: string]: ReadonlyArray<any>;
    }

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/PullOperator.html b/docs/Next/types/PullOperator.html index 1f0dea0e79a..a72d46c81ad 100644 --- a/docs/Next/types/PullOperator.html +++ b/docs/Next/types/PullOperator.html @@ -1 +1 @@ -PullOperator | mongodb

    Type Alias PullOperator<TSchema>

    PullOperator<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: Partial<Flatten<TSchema[key]>> | FilterOperations<Flatten<TSchema[key]>>
    } & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
        [key: string]: FilterOperators<any> | any;
    }

    Type Parameters

    • TSchema
    +PullOperator | mongodb

    Type Alias PullOperator<TSchema>

    PullOperator<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: Partial<Flatten<TSchema[key]>> | FilterOperations<Flatten<TSchema[key]>>
    } & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
        [key: string]: FilterOperators<any> | any;
    }

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/PushOperator.html b/docs/Next/types/PushOperator.html index 80182ded2b7..08d958a0bdc 100644 --- a/docs/Next/types/PushOperator.html +++ b/docs/Next/types/PushOperator.html @@ -1 +1 @@ -PushOperator | mongodb

    Type Alias PushOperator<TSchema>

    PushOperator<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: Flatten<TSchema[key]> | ArrayOperator<Flatten<TSchema[key]>[]>
    } & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
        [key: string]: ArrayOperator<any> | any;
    }

    Type Parameters

    • TSchema
    +PushOperator | mongodb

    Type Alias PushOperator<TSchema>

    PushOperator<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any>>]?: Flatten<TSchema[key]> | ArrayOperator<Flatten<TSchema[key]>[]>
    } & NotAcceptedFields<TSchema, ReadonlyArray<any>> & {
        [key: string]: ArrayOperator<any> | any;
    }

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/RegExpOrString.html b/docs/Next/types/RegExpOrString.html index 461091bc9f7..46c3ec07ef2 100644 --- a/docs/Next/types/RegExpOrString.html +++ b/docs/Next/types/RegExpOrString.html @@ -1 +1 @@ -RegExpOrString | mongodb

    Type Alias RegExpOrString<T>

    RegExpOrString<T>: T extends string
        ? BSONRegExp | RegExp | T
        : T

    Type Parameters

    • T
    +RegExpOrString | mongodb

    Type Alias RegExpOrString<T>

    RegExpOrString<T>: T extends string
        ? BSONRegExp | RegExp | T
        : T

    Type Parameters

    • T
    diff --git a/docs/Next/types/ResumeToken.html b/docs/Next/types/ResumeToken.html index 63821bccc07..3b1ebd8ee4e 100644 --- a/docs/Next/types/ResumeToken.html +++ b/docs/Next/types/ResumeToken.html @@ -1,3 +1,3 @@ ResumeToken | mongodb

    Type Alias ResumeToken

    ResumeToken: unknown

    Represents the logical starting point for a new ChangeStream or resuming a ChangeStream on the server.

    +
    diff --git a/docs/Next/types/SchemaMember.html b/docs/Next/types/SchemaMember.html index 81ff7d8b950..7f72170b836 100644 --- a/docs/Next/types/SchemaMember.html +++ b/docs/Next/types/SchemaMember.html @@ -1 +1 @@ -SchemaMember | mongodb

    Type Alias SchemaMember<T, V>

    SchemaMember<T, V>: {
        [P in keyof T]?: V
    } | {
        [key: string]: V;
    }

    Type Parameters

    • T
    • V
    +SchemaMember | mongodb

    Type Alias SchemaMember<T, V>

    SchemaMember<T, V>: {
        [P in keyof T]?: V
    } | {
        [key: string]: V;
    }

    Type Parameters

    • T
    • V
    diff --git a/docs/Next/types/ServerApiVersion.html b/docs/Next/types/ServerApiVersion.html index e5e5416f0b1..a2b4c112a74 100644 --- a/docs/Next/types/ServerApiVersion.html +++ b/docs/Next/types/ServerApiVersion.html @@ -1 +1 @@ -ServerApiVersion | mongodb

    Type Alias ServerApiVersion

    ServerApiVersion: typeof ServerApiVersion[keyof typeof ServerApiVersion]
    +ServerApiVersion | mongodb

    Type Alias ServerApiVersion

    ServerApiVersion: typeof ServerApiVersion[keyof typeof ServerApiVersion]
    diff --git a/docs/Next/types/ServerEvents.html b/docs/Next/types/ServerEvents.html index fdb5194d612..7becdd55c9b 100644 --- a/docs/Next/types/ServerEvents.html +++ b/docs/Next/types/ServerEvents.html @@ -1 +1 @@ -ServerEvents | mongodb

    Type Alias ServerEvents

    ServerEvents: {
        closed(): void;
        descriptionReceived(description: ServerDescription): void;
        ended(): void;
        serverHeartbeatFailed(event: ServerHeartbeatFailedEvent): void;
        serverHeartbeatStarted(event: ServerHeartbeatStartedEvent): void;
        serverHeartbeatSucceeded(event: ServerHeartbeatSucceededEvent): void;
    } & ConnectionPoolEvents & EventEmitterWithState
    +ServerEvents | mongodb

    Type Alias ServerEvents

    ServerEvents: {
        closed(): void;
        descriptionReceived(description: ServerDescription): void;
        ended(): void;
        serverHeartbeatFailed(event: ServerHeartbeatFailedEvent): void;
        serverHeartbeatStarted(event: ServerHeartbeatStartedEvent): void;
        serverHeartbeatSucceeded(event: ServerHeartbeatSucceededEvent): void;
    } & ConnectionPoolEvents & EventEmitterWithState
    diff --git a/docs/Next/types/ServerMonitoringMode.html b/docs/Next/types/ServerMonitoringMode.html index ea515e624e5..237e4984871 100644 --- a/docs/Next/types/ServerMonitoringMode.html +++ b/docs/Next/types/ServerMonitoringMode.html @@ -1 +1 @@ -ServerMonitoringMode | mongodb

    Type Alias ServerMonitoringMode

    ServerMonitoringMode: typeof ServerMonitoringMode[keyof typeof ServerMonitoringMode]
    +ServerMonitoringMode | mongodb

    Type Alias ServerMonitoringMode

    ServerMonitoringMode: typeof ServerMonitoringMode[keyof typeof ServerMonitoringMode]
    diff --git a/docs/Next/types/ServerSessionId.html b/docs/Next/types/ServerSessionId.html index c51d9c84ec7..8fa077d91b3 100644 --- a/docs/Next/types/ServerSessionId.html +++ b/docs/Next/types/ServerSessionId.html @@ -1 +1 @@ -ServerSessionId | mongodb

    Type Alias ServerSessionId

    ServerSessionId: {
        id: Binary;
    }
    +ServerSessionId | mongodb

    Type Alias ServerSessionId

    ServerSessionId: {
        id: Binary;
    }
    diff --git a/docs/Next/types/SetFields.html b/docs/Next/types/SetFields.html index b6e86684f3d..d0ad6f09786 100644 --- a/docs/Next/types/SetFields.html +++ b/docs/Next/types/SetFields.html @@ -1 +1 @@ -SetFields | mongodb

    Type Alias SetFields<TSchema>

    SetFields<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any> | undefined>]?: OptionalId<Flatten<TSchema[key]>> | AddToSetOperators<OptionalId<Flatten<TSchema[key]>>[]>
    } & IsAny<TSchema[keyof TSchema], object, NotAcceptedFields<TSchema, ReadonlyArray<any> | undefined>> & {
        [key: string]: AddToSetOperators<any> | any;
    }

    Type Parameters

    • TSchema
    +SetFields | mongodb

    Type Alias SetFields<TSchema>

    SetFields<TSchema>: {
        readonly [key in KeysOfAType<TSchema, ReadonlyArray<any> | undefined>]?: OptionalId<Flatten<TSchema[key]>> | AddToSetOperators<OptionalId<Flatten<TSchema[key]>>[]>
    } & IsAny<TSchema[keyof TSchema], object, NotAcceptedFields<TSchema, ReadonlyArray<any> | undefined>> & {
        [key: string]: AddToSetOperators<any> | any;
    }

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/SeverityLevel.html b/docs/Next/types/SeverityLevel.html new file mode 100644 index 00000000000..5f6394efa9b --- /dev/null +++ b/docs/Next/types/SeverityLevel.html @@ -0,0 +1 @@ +SeverityLevel | mongodb

    Type Alias SeverityLevel

    SeverityLevel: typeof SeverityLevel[keyof typeof SeverityLevel]
    diff --git a/docs/Next/types/StrictFilter.html b/docs/Next/types/StrictFilter.html index 8efe1f6354f..97fddcb761f 100644 --- a/docs/Next/types/StrictFilter.html +++ b/docs/Next/types/StrictFilter.html @@ -1 +1 @@ -StrictFilter | mongodb

    Type Alias StrictFilter<TSchema>Experimental

    StrictFilter<TSchema>: Partial<TSchema> | {
        [Property in Join<NestedPaths<WithId<TSchema>, []>, ".">]?: Condition<PropertyType<WithId<TSchema>, Property>>
    } & RootFilterOperators<WithId<TSchema>>

    Type Parameters

    • TSchema
    +StrictFilter | mongodb

    Type Alias StrictFilter<TSchema>Experimental

    StrictFilter<TSchema>: Partial<TSchema> | {
        [Property in Join<NestedPaths<WithId<TSchema>, []>, ".">]?: Condition<PropertyType<WithId<TSchema>, Property>>
    } & RootFilterOperators<WithId<TSchema>>

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/StrictMatchKeysAndValues.html b/docs/Next/types/StrictMatchKeysAndValues.html index 7733ba94506..579aa4ca769 100644 --- a/docs/Next/types/StrictMatchKeysAndValues.html +++ b/docs/Next/types/StrictMatchKeysAndValues.html @@ -1 +1 @@ -StrictMatchKeysAndValues | mongodb

    Type Alias StrictMatchKeysAndValues<TSchema>Experimental

    StrictMatchKeysAndValues<TSchema>: Readonly<{
        [Property in Join<NestedPaths<TSchema, []>, ".">]?: PropertyType<TSchema, Property>
    } & {
        [Property in `${NestedPathsOfType<TSchema, any[]>}.$${`[${string}]` | ""}`]?: ArrayElement<PropertyType<TSchema, Property extends `${infer Key}.$${string}`
            ? Key
            : never>>
    } & {
        [Property in `${NestedPathsOfType<TSchema, Record<string, any>[]>}.$${`[${string}]` | ""}.${string}`]?: any
    } & Document>

    Type Parameters

    • TSchema
    +StrictMatchKeysAndValues | mongodb

    Type Alias StrictMatchKeysAndValues<TSchema>Experimental

    StrictMatchKeysAndValues<TSchema>: Readonly<{
        [Property in Join<NestedPaths<TSchema, []>, ".">]?: PropertyType<TSchema, Property>
    } & {
        [Property in `${NestedPathsOfType<TSchema, any[]>}.$${`[${string}]` | ""}`]?: ArrayElement<PropertyType<TSchema, Property extends `${infer Key}.$${string}`
            ? Key
            : never>>
    } & {
        [Property in `${NestedPathsOfType<TSchema, Record<string, any>[]>}.$${`[${string}]` | ""}.${string}`]?: any
    } & Document>

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/StrictUpdateFilter.html b/docs/Next/types/StrictUpdateFilter.html index 39329f51f55..914c7a45b1f 100644 --- a/docs/Next/types/StrictUpdateFilter.html +++ b/docs/Next/types/StrictUpdateFilter.html @@ -1 +1 @@ -StrictUpdateFilter | mongodb

    Type Alias StrictUpdateFilter<TSchema>Experimental

    StrictUpdateFilter<TSchema>: {
        $addToSet?: SetFields<TSchema>;
        $bit?: OnlyFieldsOfType<TSchema, NumericType | undefined, {
            and: IntegerType;
        } | {
            or: IntegerType;
        } | {
            xor: IntegerType;
        }>;
        $currentDate?: OnlyFieldsOfType<TSchema, Date | Timestamp, true | {
            $type: "date" | "timestamp";
        }>;
        $inc?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $max?: StrictMatchKeysAndValues<TSchema>;
        $min?: StrictMatchKeysAndValues<TSchema>;
        $mul?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $pop?: OnlyFieldsOfType<TSchema, ReadonlyArray<any>, 1 | -1>;
        $pull?: PullOperator<TSchema>;
        $pullAll?: PullAllOperator<TSchema>;
        $push?: PushOperator<TSchema>;
        $rename?: Record<string, string>;
        $set?: StrictMatchKeysAndValues<TSchema>;
        $setOnInsert?: StrictMatchKeysAndValues<TSchema>;
        $unset?: OnlyFieldsOfType<TSchema, any, "" | true | 1>;
    } & Document

    Type Parameters

    • TSchema
    +StrictUpdateFilter | mongodb

    Type Alias StrictUpdateFilter<TSchema>Experimental

    StrictUpdateFilter<TSchema>: {
        $addToSet?: SetFields<TSchema>;
        $bit?: OnlyFieldsOfType<TSchema, NumericType | undefined, {
            and: IntegerType;
        } | {
            or: IntegerType;
        } | {
            xor: IntegerType;
        }>;
        $currentDate?: OnlyFieldsOfType<TSchema, Date | Timestamp, true | {
            $type: "date" | "timestamp";
        }>;
        $inc?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $max?: StrictMatchKeysAndValues<TSchema>;
        $min?: StrictMatchKeysAndValues<TSchema>;
        $mul?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $pop?: OnlyFieldsOfType<TSchema, ReadonlyArray<any>, 1 | -1>;
        $pull?: PullOperator<TSchema>;
        $pullAll?: PullAllOperator<TSchema>;
        $push?: PushOperator<TSchema>;
        $rename?: Record<string, string>;
        $set?: StrictMatchKeysAndValues<TSchema>;
        $setOnInsert?: StrictMatchKeysAndValues<TSchema>;
        $unset?: OnlyFieldsOfType<TSchema, any, "" | true | 1>;
    } & Document

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/SupportedNodeConnectionOptions.html b/docs/Next/types/SupportedNodeConnectionOptions.html index cc568919763..1af37739c25 100644 --- a/docs/Next/types/SupportedNodeConnectionOptions.html +++ b/docs/Next/types/SupportedNodeConnectionOptions.html @@ -1 +1 @@ -SupportedNodeConnectionOptions | mongodb
    +SupportedNodeConnectionOptions | mongodb
    diff --git a/docs/Next/types/SupportedSocketOptions.html b/docs/Next/types/SupportedSocketOptions.html index 2c4c765175a..30e12884d9a 100644 --- a/docs/Next/types/SupportedSocketOptions.html +++ b/docs/Next/types/SupportedSocketOptions.html @@ -1 +1 @@ -SupportedSocketOptions | mongodb

    Type Alias SupportedSocketOptions

    SupportedSocketOptions: Pick<TcpNetConnectOpts & {
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
    }, typeof LEGAL_TCP_SOCKET_OPTIONS[number]>
    +SupportedSocketOptions | mongodb

    Type Alias SupportedSocketOptions

    SupportedSocketOptions: Pick<TcpNetConnectOpts & {
        autoSelectFamily?: boolean;
        autoSelectFamilyAttemptTimeout?: number;
    }, typeof LEGAL_TCP_SOCKET_OPTIONS[number]>
    diff --git a/docs/Next/types/SupportedTLSConnectionOptions.html b/docs/Next/types/SupportedTLSConnectionOptions.html index b890dbed4b6..e221c849ec8 100644 --- a/docs/Next/types/SupportedTLSConnectionOptions.html +++ b/docs/Next/types/SupportedTLSConnectionOptions.html @@ -1 +1 @@ -SupportedTLSConnectionOptions | mongodb

    Type Alias SupportedTLSConnectionOptions

    SupportedTLSConnectionOptions: Pick<TLSConnectionOptions & {
        allowPartialTrustChain?: boolean;
    }, typeof LEGAL_TLS_SOCKET_OPTIONS[number]>
    +SupportedTLSConnectionOptions | mongodb

    Type Alias SupportedTLSConnectionOptions

    SupportedTLSConnectionOptions: Pick<TLSConnectionOptions & {
        allowPartialTrustChain?: boolean;
    }, typeof LEGAL_TLS_SOCKET_OPTIONS[number]>
    diff --git a/docs/Next/types/SupportedTLSSocketOptions.html b/docs/Next/types/SupportedTLSSocketOptions.html index 8e7d0181e54..896423f46a2 100644 --- a/docs/Next/types/SupportedTLSSocketOptions.html +++ b/docs/Next/types/SupportedTLSSocketOptions.html @@ -1 +1 @@ -SupportedTLSSocketOptions | mongodb

    Type Alias SupportedTLSSocketOptions

    SupportedTLSSocketOptions: Pick<TLSSocketOptions, Extract<keyof TLSSocketOptions, typeof LEGAL_TLS_SOCKET_OPTIONS[number]>>
    +SupportedTLSSocketOptions | mongodb

    Type Alias SupportedTLSSocketOptions

    SupportedTLSSocketOptions: Pick<TLSSocketOptions, Extract<keyof TLSSocketOptions, typeof LEGAL_TLS_SOCKET_OPTIONS[number]>>
    diff --git a/docs/Next/types/TopologyEvents.html b/docs/Next/types/TopologyEvents.html index 0ac8600835a..88633c36c38 100644 --- a/docs/Next/types/TopologyEvents.html +++ b/docs/Next/types/TopologyEvents.html @@ -1 +1 @@ -TopologyEvents | mongodb

    Type Alias TopologyEvents

    TopologyEvents: {
        close(): void;
        error(error: Error): void;
        serverClosed(event: ServerClosedEvent): void;
        serverDescriptionChanged(event: ServerDescriptionChangedEvent): void;
        serverOpening(event: ServerOpeningEvent): void;
        timeout(): void;
        topologyClosed(event: TopologyClosedEvent): void;
        topologyDescriptionChanged(event: TopologyDescriptionChangedEvent): void;
        topologyOpening(event: TopologyOpeningEvent): void;
    } & Omit<ServerEvents, "connect"> & ConnectionPoolEvents & ConnectionEvents & EventEmitterWithState
    +TopologyEvents | mongodb

    Type Alias TopologyEvents

    TopologyEvents: {
        close(): void;
        error(error: Error): void;
        serverClosed(event: ServerClosedEvent): void;
        serverDescriptionChanged(event: ServerDescriptionChangedEvent): void;
        serverOpening(event: ServerOpeningEvent): void;
        timeout(): void;
        topologyClosed(event: TopologyClosedEvent): void;
        topologyDescriptionChanged(event: TopologyDescriptionChangedEvent): void;
        topologyOpening(event: TopologyOpeningEvent): void;
    } & Omit<ServerEvents, "connect"> & ConnectionPoolEvents & ConnectionEvents & EventEmitterWithState
    diff --git a/docs/Next/types/UpdateFilter.html b/docs/Next/types/UpdateFilter.html index ebc91a268c8..bc83c5b407b 100644 --- a/docs/Next/types/UpdateFilter.html +++ b/docs/Next/types/UpdateFilter.html @@ -1 +1 @@ -UpdateFilter | mongodb

    Type Alias UpdateFilter<TSchema>

    UpdateFilter<TSchema>: {
        $addToSet?: SetFields<TSchema>;
        $bit?: OnlyFieldsOfType<TSchema, NumericType | undefined, {
            and: IntegerType;
        } | {
            or: IntegerType;
        } | {
            xor: IntegerType;
        }>;
        $currentDate?: OnlyFieldsOfType<TSchema, Date | Timestamp, true | {
            $type: "date" | "timestamp";
        }>;
        $inc?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $max?: MatchKeysAndValues<TSchema>;
        $min?: MatchKeysAndValues<TSchema>;
        $mul?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $pop?: OnlyFieldsOfType<TSchema, ReadonlyArray<any>, 1 | -1>;
        $pull?: PullOperator<TSchema>;
        $pullAll?: PullAllOperator<TSchema>;
        $push?: PushOperator<TSchema>;
        $rename?: Record<string, string>;
        $set?: MatchKeysAndValues<TSchema>;
        $setOnInsert?: MatchKeysAndValues<TSchema>;
        $unset?: OnlyFieldsOfType<TSchema, any, "" | true | 1>;
    } & Document

    Type Parameters

    • TSchema
    +UpdateFilter | mongodb

    Type Alias UpdateFilter<TSchema>

    UpdateFilter<TSchema>: {
        $addToSet?: SetFields<TSchema>;
        $bit?: OnlyFieldsOfType<TSchema, NumericType | undefined, {
            and: IntegerType;
        } | {
            or: IntegerType;
        } | {
            xor: IntegerType;
        }>;
        $currentDate?: OnlyFieldsOfType<TSchema, Date | Timestamp, true | {
            $type: "date" | "timestamp";
        }>;
        $inc?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $max?: MatchKeysAndValues<TSchema>;
        $min?: MatchKeysAndValues<TSchema>;
        $mul?: OnlyFieldsOfType<TSchema, NumericType | undefined>;
        $pop?: OnlyFieldsOfType<TSchema, ReadonlyArray<any>, 1 | -1>;
        $pull?: PullOperator<TSchema>;
        $pullAll?: PullAllOperator<TSchema>;
        $push?: PushOperator<TSchema>;
        $rename?: Record<string, string>;
        $set?: MatchKeysAndValues<TSchema>;
        $setOnInsert?: MatchKeysAndValues<TSchema>;
        $unset?: OnlyFieldsOfType<TSchema, any, "" | true | 1>;
    } & Document

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/WithId.html b/docs/Next/types/WithId.html index 75c172e4333..243b616ec28 100644 --- a/docs/Next/types/WithId.html +++ b/docs/Next/types/WithId.html @@ -1,2 +1,2 @@ WithId | mongodb

    Type Alias WithId<TSchema>

    WithId<TSchema>: EnhancedOmit<TSchema, "_id"> & {
        _id: InferIdType<TSchema>;
    }

    Add an _id field to an object shaped type

    -

    Type Parameters

    • TSchema
    +

    Type Parameters

    • TSchema
    diff --git a/docs/Next/types/WithSessionCallback.html b/docs/Next/types/WithSessionCallback.html index ff0ceb631f3..91ac5766a15 100644 --- a/docs/Next/types/WithSessionCallback.html +++ b/docs/Next/types/WithSessionCallback.html @@ -1 +1 @@ -WithSessionCallback | mongodb

    Type Alias WithSessionCallback<T>

    WithSessionCallback<T>: ((session: ClientSession) => Promise<T>)

    Type Parameters

    • T = unknown
    +WithSessionCallback | mongodb

    Type Alias WithSessionCallback<T>

    WithSessionCallback<T>: ((session: ClientSession) => Promise<T>)

    Type Parameters

    • T = unknown
    diff --git a/docs/Next/types/WithTransactionCallback.html b/docs/Next/types/WithTransactionCallback.html index 08f2b4dd5d5..d39adead5ac 100644 --- a/docs/Next/types/WithTransactionCallback.html +++ b/docs/Next/types/WithTransactionCallback.html @@ -1 +1 @@ -WithTransactionCallback | mongodb

    Type Alias WithTransactionCallback<T>

    WithTransactionCallback<T>: ((session: ClientSession) => Promise<T>)

    Type Parameters

    • T = any
    +WithTransactionCallback | mongodb

    Type Alias WithTransactionCallback<T>

    WithTransactionCallback<T>: ((session: ClientSession) => Promise<T>)

    Type Parameters

    • T = any
    diff --git a/docs/Next/types/WithoutId.html b/docs/Next/types/WithoutId.html index 6ea70410909..4a395e519a1 100644 --- a/docs/Next/types/WithoutId.html +++ b/docs/Next/types/WithoutId.html @@ -1,2 +1,2 @@ WithoutId | mongodb

    Type Alias WithoutId<TSchema>

    WithoutId<TSchema>: Omit<TSchema, "_id">

    Remove the _id field from an object shaped type

    -

    Type Parameters

    • TSchema
    +

    Type Parameters

    • TSchema
    diff --git a/docs/Next/variables/AutoEncryptionLoggerLevel-1.html b/docs/Next/variables/AutoEncryptionLoggerLevel-1.html index 345b13efef7..84b7f6995ff 100644 --- a/docs/Next/variables/AutoEncryptionLoggerLevel-1.html +++ b/docs/Next/variables/AutoEncryptionLoggerLevel-1.html @@ -1 +1 @@ -AutoEncryptionLoggerLevel | mongodb

    Variable AutoEncryptionLoggerLevelConst

    AutoEncryptionLoggerLevel: Readonly<{
        Error: 1;
        FatalError: 0;
        Info: 3;
        Trace: 4;
        Warning: 2;
    }> = ...
    +AutoEncryptionLoggerLevel | mongodb

    Variable AutoEncryptionLoggerLevelConst

    AutoEncryptionLoggerLevel: Readonly<{
        Error: 1;
        FatalError: 0;
        Info: 3;
        Trace: 4;
        Warning: 2;
    }> = ...
    diff --git a/docs/Next/variables/BatchType-1.html b/docs/Next/variables/BatchType-1.html index 013e3a9af69..1ef3a4e7b56 100644 --- a/docs/Next/variables/BatchType-1.html +++ b/docs/Next/variables/BatchType-1.html @@ -1 +1 @@ -BatchType | mongodb

    Variable BatchTypeConst

    BatchType: Readonly<{
        DELETE: 3;
        INSERT: 1;
        UPDATE: 2;
    }> = ...
    +BatchType | mongodb

    Variable BatchTypeConst

    BatchType: Readonly<{
        DELETE: 3;
        INSERT: 1;
        UPDATE: 2;
    }> = ...
    diff --git a/docs/Next/variables/CURSOR_FLAGS.html b/docs/Next/variables/CURSOR_FLAGS.html index a539d451919..21ad4677588 100644 --- a/docs/Next/variables/CURSOR_FLAGS.html +++ b/docs/Next/variables/CURSOR_FLAGS.html @@ -1 +1 @@ -CURSOR_FLAGS | mongodb

    Variable CURSOR_FLAGSConst

    CURSOR_FLAGS: readonly ["tailable", "oplogReplay", "noCursorTimeout", "awaitData", "exhaust", "partial"] = ...
    +CURSOR_FLAGS | mongodb

    Variable CURSOR_FLAGSConst

    CURSOR_FLAGS: readonly ["tailable", "oplogReplay", "noCursorTimeout", "awaitData", "exhaust", "partial"] = ...
    diff --git a/docs/Next/variables/CursorTimeoutMode-1.html b/docs/Next/variables/CursorTimeoutMode-1.html index 371110c5c03..139ba963b3e 100644 --- a/docs/Next/variables/CursorTimeoutMode-1.html +++ b/docs/Next/variables/CursorTimeoutMode-1.html @@ -12,4 +12,4 @@
    const cursor = collection.find({}, { timeoutMS: 1000, timeoutMode: 'cursorLifetime' });
    const docs = await cursor.toArray(); // This entire line will throw a timeout error if all batches are not fetched and returned within 1000ms.
    -
    +
    diff --git a/docs/Next/variables/MongoErrorLabel-1.html b/docs/Next/variables/MongoErrorLabel-1.html index bde7f85cb7a..032e97330c0 100644 --- a/docs/Next/variables/MongoErrorLabel-1.html +++ b/docs/Next/variables/MongoErrorLabel-1.html @@ -1 +1 @@ -MongoErrorLabel | mongodb

    Variable MongoErrorLabelConst

    MongoErrorLabel: Readonly<{
        HandshakeError: "HandshakeError";
        InterruptInUseConnections: "InterruptInUseConnections";
        NoWritesPerformed: "NoWritesPerformed";
        PoolRequstedRetry: "PoolRequstedRetry";
        ResetPool: "ResetPool";
        ResumableChangeStreamError: "ResumableChangeStreamError";
        RetryableWriteError: "RetryableWriteError";
        TransientTransactionError: "TransientTransactionError";
        UnknownTransactionCommitResult: "UnknownTransactionCommitResult";
    }> = ...
    +MongoErrorLabel | mongodb

    Variable MongoErrorLabelConst

    MongoErrorLabel: Readonly<{
        HandshakeError: "HandshakeError";
        InterruptInUseConnections: "InterruptInUseConnections";
        NoWritesPerformed: "NoWritesPerformed";
        PoolRequstedRetry: "PoolRequstedRetry";
        ResetPool: "ResetPool";
        ResumableChangeStreamError: "ResumableChangeStreamError";
        RetryableWriteError: "RetryableWriteError";
        TransientTransactionError: "TransientTransactionError";
        UnknownTransactionCommitResult: "UnknownTransactionCommitResult";
    }> = ...
    diff --git a/docs/Next/variables/MongoLoggableComponent-1.html b/docs/Next/variables/MongoLoggableComponent-1.html new file mode 100644 index 00000000000..301dd9aefc4 --- /dev/null +++ b/docs/Next/variables/MongoLoggableComponent-1.html @@ -0,0 +1 @@ +MongoLoggableComponent | mongodb

    Variable MongoLoggableComponentConst

    MongoLoggableComponent: Readonly<{
        CLIENT: "client";
        COMMAND: "command";
        CONNECTION: "connection";
        SERVER_SELECTION: "serverSelection";
        TOPOLOGY: "topology";
    }> = ...
    diff --git a/docs/Next/variables/ServerApiVersion-1.html b/docs/Next/variables/ServerApiVersion-1.html index 5263c664012..3b91a3aa304 100644 --- a/docs/Next/variables/ServerApiVersion-1.html +++ b/docs/Next/variables/ServerApiVersion-1.html @@ -1 +1 @@ -ServerApiVersion | mongodb

    Variable ServerApiVersionConst

    ServerApiVersion: Readonly<{
        v1: "1";
    }> = ...
    +ServerApiVersion | mongodb

    Variable ServerApiVersionConst

    ServerApiVersion: Readonly<{
        v1: "1";
    }> = ...
    diff --git a/docs/Next/variables/ServerMonitoringMode-1.html b/docs/Next/variables/ServerMonitoringMode-1.html index 768074f8352..74bb7518187 100644 --- a/docs/Next/variables/ServerMonitoringMode-1.html +++ b/docs/Next/variables/ServerMonitoringMode-1.html @@ -1 +1 @@ -ServerMonitoringMode | mongodb

    Variable ServerMonitoringModeConst

    ServerMonitoringMode: Readonly<{
        auto: "auto";
        poll: "poll";
        stream: "stream";
    }> = ...
    +ServerMonitoringMode | mongodb

    Variable ServerMonitoringModeConst

    ServerMonitoringMode: Readonly<{
        auto: "auto";
        poll: "poll";
        stream: "stream";
    }> = ...
    diff --git a/docs/Next/variables/SeverityLevel-1.html b/docs/Next/variables/SeverityLevel-1.html new file mode 100644 index 00000000000..d8cf94c45ef --- /dev/null +++ b/docs/Next/variables/SeverityLevel-1.html @@ -0,0 +1,3 @@ +SeverityLevel | mongodb

    Variable SeverityLevelConst

    SeverityLevel: Readonly<{
        ALERT: "alert";
        CRITICAL: "critical";
        DEBUG: "debug";
        EMERGENCY: "emergency";
        ERROR: "error";
        INFORMATIONAL: "info";
        NOTICE: "notice";
        OFF: "off";
        TRACE: "trace";
        WARNING: "warn";
    }> = ...

    Severity levels align with unix syslog. +Most typical driver functions will log to debug.

    +
    diff --git a/docs/categories/index.xml b/docs/categories/index.xml index 3bacd68d73a..e8d6887ccb7 100644 --- a/docs/categories/index.xml +++ b/docs/categories/index.xml @@ -4,11 +4,8 @@ Categories on MongoDB Node.js Driver /node-mongodb-native/categories/ Recent content in Categories on MongoDB Node.js Driver - Hugo -- gohugo.io + Hugo en-us - - - - + - \ No newline at end of file + diff --git a/docs/index.html b/docs/index.html index 243e1b113fa..a6a778e7bac 100644 --- a/docs/index.html +++ b/docs/index.html @@ -1,23 +1,23 @@ - + - + MongoDB Node.js Driver - - - - - - + + + + + + @@ -27,8 +27,8 @@
    @@ -155,7 +155,22 @@

    Releases

    - 6.13 Driver + 6.14 Driver + + + + Reference + + + | + + API + + + + + + 6.13 Driver @@ -962,13 +977,13 @@

    Releases

    - - - - - - - + + + + + + +