Skip to content

Commit 8def42d

Browse files
authoredOct 10, 2024··
feat(NODE-6338): implement client bulk write error handling (#4262)
1 parent 27618ae commit 8def42d

25 files changed

+919
-236
lines changed
 

‎src/cmap/wire_protocol/responses.ts

+4
Original file line numberDiff line numberDiff line change
@@ -354,4 +354,8 @@ export class ClientBulkWriteCursorResponse extends CursorResponse {
354354
get deletedCount() {
355355
return this.get('nDeleted', BSONType.int, true);
356356
}
357+
358+
get writeConcernError() {
359+
return this.get('writeConcernError', BSONType.object, false);
360+
}
357361
}

‎src/cursor/client_bulk_write_cursor.ts

+2-8
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,6 @@
11
import { type Document } from 'bson';
22

33
import { type ClientBulkWriteCursorResponse } from '../cmap/wire_protocol/responses';
4-
import { MongoClientBulkWriteCursorError } from '../error';
54
import type { MongoClient } from '../mongo_client';
65
import { ClientBulkWriteOperation } from '../operations/client_bulk_write/client_bulk_write';
76
import { type ClientBulkWriteCommandBuilder } from '../operations/client_bulk_write/command_builder';
@@ -48,16 +47,11 @@ export class ClientBulkWriteCursor extends AbstractCursor {
4847
* We need a way to get the top level cursor response fields for
4948
* generating the bulk write result, so we expose this here.
5049
*/
51-
get response(): ClientBulkWriteCursorResponse {
50+
get response(): ClientBulkWriteCursorResponse | null {
5251
if (this.cursorResponse) return this.cursorResponse;
53-
throw new MongoClientBulkWriteCursorError(
54-
'No client bulk write cursor response returned from the server.'
55-
);
52+
return null;
5653
}
5754

58-
/**
59-
* Get the last set of operations the cursor executed.
60-
*/
6155
get operations(): Document[] {
6256
return this.commandBuilder.lastOperations;
6357
}

‎src/error.ts

+44-2
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,8 @@
11
import type { Document } from './bson';
2+
import {
3+
type ClientBulkWriteError,
4+
type ClientBulkWriteResult
5+
} from './operations/client_bulk_write/common';
26
import type { ServerType } from './sdam/common';
37
import type { TopologyVersion } from './sdam/server_description';
48
import type { TopologyDescription } from './sdam/topology_description';
@@ -616,6 +620,44 @@ export class MongoGCPError extends MongoOIDCError {
616620
}
617621
}
618622

623+
/**
624+
* An error indicating that an error occurred when executing the bulk write.
625+
*
626+
* @public
627+
* @category Error
628+
*/
629+
export class MongoClientBulkWriteError extends MongoServerError {
630+
/**
631+
* Write concern errors that occurred while executing the bulk write. This list may have
632+
* multiple items if more than one server command was required to execute the bulk write.
633+
*/
634+
writeConcernErrors: Document[];
635+
/**
636+
* Errors that occurred during the execution of individual write operations. This map will
637+
* contain at most one entry if the bulk write was ordered.
638+
*/
639+
writeErrors: Map<number, ClientBulkWriteError>;
640+
/**
641+
* The results of any successful operations that were performed before the error was
642+
* encountered.
643+
*/
644+
partialResult?: ClientBulkWriteResult;
645+
646+
/**
647+
* Initialize the client bulk write error.
648+
* @param message - The error message.
649+
*/
650+
constructor(message: ErrorDescription) {
651+
super(message);
652+
this.writeConcernErrors = [];
653+
this.writeErrors = new Map();
654+
}
655+
656+
override get name(): string {
657+
return 'MongoClientBulkWriteError';
658+
}
659+
}
660+
619661
/**
620662
* An error indicating that an error occurred when processing bulk write results.
621663
*
@@ -1047,8 +1089,8 @@ export class MongoInvalidArgumentError extends MongoAPIError {
10471089
*
10481090
* @public
10491091
**/
1050-
constructor(message: string) {
1051-
super(message);
1092+
constructor(message: string, options?: { cause?: Error }) {
1093+
super(message, options);
10521094
}
10531095

10541096
override get name(): string {

‎src/index.ts

+2
Original file line numberDiff line numberDiff line change
@@ -46,6 +46,7 @@ export {
4646
MongoBatchReExecutionError,
4747
MongoChangeStreamError,
4848
MongoClientBulkWriteCursorError,
49+
MongoClientBulkWriteError,
4950
MongoClientBulkWriteExecutionError,
5051
MongoCompatibilityError,
5152
MongoCursorExhaustedError,
@@ -477,6 +478,7 @@ export type {
477478
} from './operations/aggregate';
478479
export type {
479480
AnyClientBulkWriteModel,
481+
ClientBulkWriteError,
480482
ClientBulkWriteOptions,
481483
ClientBulkWriteResult,
482484
ClientDeleteManyModel,

‎src/mongo_client.ts

+5
Original file line numberDiff line numberDiff line change
@@ -493,6 +493,11 @@ export class MongoClient extends TypedEventEmitter<MongoClientEvents> implements
493493
models: AnyClientBulkWriteModel[],
494494
options?: ClientBulkWriteOptions
495495
): Promise<ClientBulkWriteResult | { ok: 1 }> {
496+
if (this.autoEncrypter) {
497+
throw new MongoInvalidArgumentError(
498+
'MongoClient bulkWrite does not currently support automatic encryption.'
499+
);
500+
}
496501
return await new ClientBulkWriteExecutor(this, models, options).execute();
497502
}
498503

‎src/operations/client_bulk_write/client_bulk_write.ts

+36-10
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,14 @@ export class ClientBulkWriteOperation extends CommandOperation<ClientBulkWriteCu
2727
this.ns = new MongoDBNamespace('admin', '$cmd');
2828
}
2929

30+
override resetBatch(): boolean {
31+
return this.commandBuilder.resetBatch();
32+
}
33+
34+
override get canRetryWrite(): boolean {
35+
return this.commandBuilder.isBatchRetryable;
36+
}
37+
3038
/**
3139
* Execute the command. Superclass will handle write concern, etc.
3240
* @param server - The server.
@@ -41,14 +49,20 @@ export class ClientBulkWriteOperation extends CommandOperation<ClientBulkWriteCu
4149

4250
if (server.description.type === ServerType.LoadBalancer) {
4351
if (session) {
44-
// Checkout a connection to build the command.
45-
const connection = await server.pool.checkOut();
46-
// Pin the connection to the session so it get used to execute the command and we do not
47-
// perform a double check-in/check-out.
48-
session.pin(connection);
52+
let connection;
53+
if (!session.pinnedConnection) {
54+
// Checkout a connection to build the command.
55+
connection = await server.pool.checkOut();
56+
// Pin the connection to the session so it get used to execute the command and we do not
57+
// perform a double check-in/check-out.
58+
session.pin(connection);
59+
} else {
60+
connection = session.pinnedConnection;
61+
}
4962
command = this.commandBuilder.buildBatch(
5063
connection.hello?.maxMessageSizeBytes,
51-
connection.hello?.maxWriteBatchSize
64+
connection.hello?.maxWriteBatchSize,
65+
connection.hello?.maxBsonObjectSize
5266
);
5367
} else {
5468
throw new MongoClientBulkWriteExecutionError(
@@ -59,16 +73,26 @@ export class ClientBulkWriteOperation extends CommandOperation<ClientBulkWriteCu
5973
// At this point we have a server and the auto connect code has already
6074
// run in executeOperation, so the server description will be populated.
6175
// We can use that to build the command.
62-
if (!server.description.maxWriteBatchSize || !server.description.maxMessageSizeBytes) {
76+
if (
77+
!server.description.maxWriteBatchSize ||
78+
!server.description.maxMessageSizeBytes ||
79+
!server.description.maxBsonObjectSize
80+
) {
6381
throw new MongoClientBulkWriteExecutionError(
64-
'In order to execute a client bulk write, both maxWriteBatchSize and maxMessageSizeBytes must be provided by the servers hello response.'
82+
'In order to execute a client bulk write, both maxWriteBatchSize, maxMessageSizeBytes and maxBsonObjectSize must be provided by the servers hello response.'
6583
);
6684
}
6785
command = this.commandBuilder.buildBatch(
6886
server.description.maxMessageSizeBytes,
69-
server.description.maxWriteBatchSize
87+
server.description.maxWriteBatchSize,
88+
server.description.maxBsonObjectSize
7089
);
7190
}
91+
92+
// Check after the batch is built if we cannot retry it and override the option.
93+
if (!this.canRetryWrite) {
94+
this.options.willRetryWrite = false;
95+
}
7296
return await super.executeCommand(server, session, command, ClientBulkWriteCursorResponse);
7397
}
7498
}
@@ -77,5 +101,7 @@ export class ClientBulkWriteOperation extends CommandOperation<ClientBulkWriteCu
77101
defineAspects(ClientBulkWriteOperation, [
78102
Aspect.WRITE_OPERATION,
79103
Aspect.SKIP_COLLATION,
80-
Aspect.CURSOR_CREATING
104+
Aspect.CURSOR_CREATING,
105+
Aspect.RETRYABLE,
106+
Aspect.COMMAND_BATCHING
81107
]);

‎src/operations/client_bulk_write/command_builder.ts

+84-5
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,9 @@
11
import { BSON, type Document } from '../../bson';
22
import { DocumentSequence } from '../../cmap/commands';
3+
import { MongoAPIError, MongoInvalidArgumentError } from '../../error';
34
import { type PkFactory } from '../../mongo_client';
45
import type { Filter, OptionalId, UpdateFilter, WithoutId } from '../../mongo_types';
5-
import { DEFAULT_PK_FACTORY } from '../../utils';
6+
import { DEFAULT_PK_FACTORY, hasAtomicOperators } from '../../utils';
67
import { type CollationOptions } from '../command';
78
import { type Hint } from '../operation';
89
import type {
@@ -38,8 +39,14 @@ export class ClientBulkWriteCommandBuilder {
3839
models: AnyClientBulkWriteModel[];
3940
options: ClientBulkWriteOptions;
4041
pkFactory: PkFactory;
42+
/** The current index in the models array that is being processed. */
4143
currentModelIndex: number;
44+
/** The model index that the builder was on when it finished the previous batch. Used for resets when retrying. */
45+
previousModelIndex: number;
46+
/** The last array of operations that were created. Used by the results merger for indexing results. */
4247
lastOperations: Document[];
48+
/** Returns true if the current batch being created has no multi-updates. */
49+
isBatchRetryable: boolean;
4350

4451
/**
4552
* Create the command builder.
@@ -54,7 +61,9 @@ export class ClientBulkWriteCommandBuilder {
5461
this.options = options;
5562
this.pkFactory = pkFactory ?? DEFAULT_PK_FACTORY;
5663
this.currentModelIndex = 0;
64+
this.previousModelIndex = 0;
5765
this.lastOperations = [];
66+
this.isBatchRetryable = true;
5867
}
5968

6069
/**
@@ -76,27 +85,57 @@ export class ClientBulkWriteCommandBuilder {
7685
return this.currentModelIndex < this.models.length;
7786
}
7887

88+
/**
89+
* When we need to retry a command we need to set the current
90+
* model index back to its previous value.
91+
*/
92+
resetBatch(): boolean {
93+
this.currentModelIndex = this.previousModelIndex;
94+
return true;
95+
}
96+
7997
/**
8098
* Build a single batch of a client bulk write command.
8199
* @param maxMessageSizeBytes - The max message size in bytes.
82100
* @param maxWriteBatchSize - The max write batch size.
83101
* @returns The client bulk write command.
84102
*/
85-
buildBatch(maxMessageSizeBytes: number, maxWriteBatchSize: number): ClientBulkWriteCommand {
103+
buildBatch(
104+
maxMessageSizeBytes: number,
105+
maxWriteBatchSize: number,
106+
maxBsonObjectSize: number
107+
): ClientBulkWriteCommand {
108+
// We start by assuming the batch has no multi-updates, so it is retryable
109+
// until we find them.
110+
this.isBatchRetryable = true;
86111
let commandLength = 0;
87112
let currentNamespaceIndex = 0;
88113
const command: ClientBulkWriteCommand = this.baseCommand();
89114
const namespaces = new Map<string, number>();
115+
// In the case of retries we need to mark where we started this batch.
116+
this.previousModelIndex = this.currentModelIndex;
90117

91118
while (this.currentModelIndex < this.models.length) {
92119
const model = this.models[this.currentModelIndex];
93120
const ns = model.namespace;
94121
const nsIndex = namespaces.get(ns);
95122

123+
// Multi updates are not retryable.
124+
if (model.name === 'deleteMany' || model.name === 'updateMany') {
125+
this.isBatchRetryable = false;
126+
}
127+
96128
if (nsIndex != null) {
97129
// Build the operation and serialize it to get the bytes buffer.
98130
const operation = buildOperation(model, nsIndex, this.pkFactory);
99-
const operationBuffer = BSON.serialize(operation);
131+
let operationBuffer;
132+
try {
133+
operationBuffer = BSON.serialize(operation);
134+
} catch (cause) {
135+
throw new MongoInvalidArgumentError(`Could not serialize operation to BSON`, { cause });
136+
}
137+
138+
validateBufferSize('ops', operationBuffer, maxBsonObjectSize);
100139

101140
// Check if the operation buffer can fit in the command. If it can,
102141
// then add the operation to the document sequence and increment the
@@ -119,9 +158,18 @@ export class ClientBulkWriteCommandBuilder {
119158
// construct our nsInfo and ops documents and buffers.
120159
namespaces.set(ns, currentNamespaceIndex);
121160
const nsInfo = { ns: ns };
122-
const nsInfoBuffer = BSON.serialize(nsInfo);
123161
const operation = buildOperation(model, currentNamespaceIndex, this.pkFactory);
124-
const operationBuffer = BSON.serialize(operation);
162+
let nsInfoBuffer;
163+
let operationBuffer;
164+
try {
165+
nsInfoBuffer = BSON.serialize(nsInfo);
166+
operationBuffer = BSON.serialize(operation);
167+
} catch (cause) {
168+
throw new MongoInvalidArgumentError(`Could not serialize ns info to BSON`, { cause });
169+
}
170+
171+
validateBufferSize('nsInfo', nsInfoBuffer, maxBsonObjectSize);
172+
validateBufferSize('ops', operationBuffer, maxBsonObjectSize);
125173

126174
// Check if the operation and nsInfo buffers can fit in the command. If they
127175
// can, then add the operation and nsInfo to their respective document
@@ -179,6 +227,14 @@ export class ClientBulkWriteCommandBuilder {
179227
}
180228
}
181229

230+
function validateBufferSize(name: string, buffer: Uint8Array, maxBsonObjectSize: number) {
231+
if (buffer.length > maxBsonObjectSize) {
232+
throw new MongoInvalidArgumentError(
233+
`Client bulk write operation ${name} of length ${buffer.length} exceeds the max bson object size of ${maxBsonObjectSize}`
234+
);
235+
}
236+
}
237+
182238
/** @internal */
183239
interface ClientInsertOperation {
184240
insert: number;
@@ -293,6 +349,18 @@ export const buildUpdateManyOperation = (
293349
return createUpdateOperation(model, index, true);
294350
};
295351

352+
/**
353+
* Validate the update document.
354+
* @param update - The update document.
355+
*/
356+
function validateUpdate(update: Document) {
357+
if (!hasAtomicOperators(update)) {
358+
throw new MongoAPIError(
359+
'Client bulk write update models must only contain atomic modifiers (start with $) and must not be empty.'
360+
);
361+
}
362+
}
363+
296364
/**
297365
* Creates a delete operation based on the parameters.
298366
*/
@@ -301,6 +369,11 @@ function createUpdateOperation(
301369
index: number,
302370
multi: boolean
303371
): ClientUpdateOperation {
372+
// Update documents provided in UpdateOne and UpdateMany write models are
373+
// required only to contain atomic modifiers (i.e. keys that start with "$").
374+
// Drivers MUST throw an error if an update document is empty or if the
375+
// document's first key does not start with "$".
376+
validateUpdate(model.update);
304377
const document: ClientUpdateOperation = {
305378
update: index,
306379
multi: multi,
@@ -343,6 +416,12 @@ export const buildReplaceOneOperation = (
343416
model: ClientReplaceOneModel,
344417
index: number
345418
): ClientReplaceOneOperation => {
419+
if (hasAtomicOperators(model.replacement)) {
420+
throw new MongoAPIError(
421+
'Client bulk write replace models must not contain atomic modifiers (start with $) and must not be empty.'
422+
);
423+
}
424+
346425
const document: ClientReplaceOneOperation = {
347426
update: index,
348427
multi: false,

‎src/operations/client_bulk_write/common.ts

+6
Original file line numberDiff line numberDiff line change
@@ -181,6 +181,12 @@ export interface ClientBulkWriteResult {
181181
deleteResults?: Map<number, ClientDeleteResult>;
182182
}
183183

184+
/** @public */
185+
export interface ClientBulkWriteError {
186+
code: number;
187+
message: string;
188+
}
189+
184190
/** @public */
185191
export interface ClientInsertOneResult {
186192
/**

0 commit comments

Comments
 (0)
Please sign in to comment.