Skip to content

Commit 30c61f2

Browse files
nbbeekendurran
andauthoredOct 20, 2024··
feat(NODE-6350): add typescript support to client bulkWrite API (#4257)
Co-authored-by: Durran Jordan <durran@gmail.com>
1 parent e9e8bf5 commit 30c61f2

File tree

9 files changed

+500
-92
lines changed

9 files changed

+500
-92
lines changed
 

‎src/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -479,6 +479,7 @@ export type {
479479
export type {
480480
AnyClientBulkWriteModel,
481481
ClientBulkWriteError,
482+
ClientBulkWriteModel,
482483
ClientBulkWriteOptions,
483484
ClientBulkWriteResult,
484485
ClientDeleteManyModel,

‎src/mongo_client.ts

+10-6
Original file line numberDiff line numberDiff line change
@@ -31,7 +31,7 @@ import {
3131
} from './mongo_logger';
3232
import { TypedEventEmitter } from './mongo_types';
3333
import {
34-
type AnyClientBulkWriteModel,
34+
type ClientBulkWriteModel,
3535
type ClientBulkWriteOptions,
3636
type ClientBulkWriteResult
3737
} from './operations/client_bulk_write/common';
@@ -331,7 +331,6 @@ export type MongoClientEvents = Pick<TopologyEvents, (typeof MONGO_CLIENT_EVENTS
331331
};
332332

333333
/** @internal */
334-
335334
const kOptions = Symbol('options');
336335

337336
/**
@@ -489,16 +488,21 @@ export class MongoClient extends TypedEventEmitter<MongoClientEvents> implements
489488
* @param options - The client bulk write options.
490489
* @returns A ClientBulkWriteResult for acknowledged writes and ok: 1 for unacknowledged writes.
491490
*/
492-
async bulkWrite(
493-
models: AnyClientBulkWriteModel[],
491+
async bulkWrite<SchemaMap extends Record<string, Document> = Record<string, Document>>(
492+
models: ReadonlyArray<ClientBulkWriteModel<SchemaMap>>,
494493
options?: ClientBulkWriteOptions
495-
): Promise<ClientBulkWriteResult | { ok: 1 }> {
494+
): Promise<ClientBulkWriteResult> {
496495
if (this.autoEncrypter) {
497496
throw new MongoInvalidArgumentError(
498497
'MongoClient bulkWrite does not currently support automatic encryption.'
499498
);
500499
}
501-
return await new ClientBulkWriteExecutor(this, models, options).execute();
500+
// We do not need schema type information past this point ("as any" is fine)
501+
return await new ClientBulkWriteExecutor(
502+
this,
503+
models as any,
504+
resolveOptions(this, options)
505+
).execute();
502506
}
503507

504508
/**

‎src/operations/client_bulk_write/command_builder.ts

+17-11
Original file line numberDiff line numberDiff line change
@@ -36,7 +36,7 @@ const MESSAGE_OVERHEAD_BYTES = 1000;
3636

3737
/** @internal */
3838
export class ClientBulkWriteCommandBuilder {
39-
models: AnyClientBulkWriteModel[];
39+
models: ReadonlyArray<AnyClientBulkWriteModel<Document>>;
4040
options: ClientBulkWriteOptions;
4141
pkFactory: PkFactory;
4242
/** The current index in the models array that is being processed. */
@@ -53,7 +53,7 @@ export class ClientBulkWriteCommandBuilder {
5353
* @param models - The client write models.
5454
*/
5555
constructor(
56-
models: AnyClientBulkWriteModel[],
56+
models: ReadonlyArray<AnyClientBulkWriteModel<Document>>,
5757
options: ClientBulkWriteOptions,
5858
pkFactory?: PkFactory
5959
) {
@@ -248,7 +248,7 @@ interface ClientInsertOperation {
248248
* @returns the operation.
249249
*/
250250
export const buildInsertOneOperation = (
251-
model: ClientInsertOneModel,
251+
model: ClientInsertOneModel<Document>,
252252
index: number,
253253
pkFactory: PkFactory
254254
): ClientInsertOperation => {
@@ -275,7 +275,10 @@ export interface ClientDeleteOperation {
275275
* @param index - The namespace index.
276276
* @returns the operation.
277277
*/
278-
export const buildDeleteOneOperation = (model: ClientDeleteOneModel, index: number): Document => {
278+
export const buildDeleteOneOperation = (
279+
model: ClientDeleteOneModel<Document>,
280+
index: number
281+
): Document => {
279282
return createDeleteOperation(model, index, false);
280283
};
281284

@@ -285,15 +288,18 @@ export const buildDeleteOneOperation = (model: ClientDeleteOneModel, index: numb
285288
* @param index - The namespace index.
286289
* @returns the operation.
287290
*/
288-
export const buildDeleteManyOperation = (model: ClientDeleteManyModel, index: number): Document => {
291+
export const buildDeleteManyOperation = (
292+
model: ClientDeleteManyModel<Document>,
293+
index: number
294+
): Document => {
289295
return createDeleteOperation(model, index, true);
290296
};
291297

292298
/**
293299
* Creates a delete operation based on the parameters.
294300
*/
295301
function createDeleteOperation(
296-
model: ClientDeleteOneModel | ClientDeleteManyModel,
302+
model: ClientDeleteOneModel<Document> | ClientDeleteManyModel<Document>,
297303
index: number,
298304
multi: boolean
299305
): ClientDeleteOperation {
@@ -330,7 +336,7 @@ export interface ClientUpdateOperation {
330336
* @returns the operation.
331337
*/
332338
export const buildUpdateOneOperation = (
333-
model: ClientUpdateOneModel,
339+
model: ClientUpdateOneModel<Document>,
334340
index: number
335341
): ClientUpdateOperation => {
336342
return createUpdateOperation(model, index, false);
@@ -343,7 +349,7 @@ export const buildUpdateOneOperation = (
343349
* @returns the operation.
344350
*/
345351
export const buildUpdateManyOperation = (
346-
model: ClientUpdateManyModel,
352+
model: ClientUpdateManyModel<Document>,
347353
index: number
348354
): ClientUpdateOperation => {
349355
return createUpdateOperation(model, index, true);
@@ -365,7 +371,7 @@ function validateUpdate(update: Document) {
365371
* Creates a delete operation based on the parameters.
366372
*/
367373
function createUpdateOperation(
368-
model: ClientUpdateOneModel | ClientUpdateManyModel,
374+
model: ClientUpdateOneModel<Document> | ClientUpdateManyModel<Document>,
369375
index: number,
370376
multi: boolean
371377
): ClientUpdateOperation {
@@ -413,7 +419,7 @@ export interface ClientReplaceOneOperation {
413419
* @returns the operation.
414420
*/
415421
export const buildReplaceOneOperation = (
416-
model: ClientReplaceOneModel,
422+
model: ClientReplaceOneModel<Document>,
417423
index: number
418424
): ClientReplaceOneOperation => {
419425
if (hasAtomicOperators(model.replacement)) {
@@ -442,7 +448,7 @@ export const buildReplaceOneOperation = (
442448

443449
/** @internal */
444450
export function buildOperation(
445-
model: AnyClientBulkWriteModel,
451+
model: AnyClientBulkWriteModel<Document>,
446452
index: number,
447453
pkFactory: PkFactory
448454
): Document {

‎src/operations/client_bulk_write/common.ts

+71-31
Original file line numberDiff line numberDiff line change
@@ -27,55 +27,62 @@ export interface ClientBulkWriteOptions extends CommandOperationOptions {
2727

2828
/** @public */
2929
export interface ClientWriteModel {
30-
/** The namespace for the write. */
30+
/**
31+
* The namespace for the write.
32+
*
33+
* A namespace is a combination of the database name and the name of the collection: `<database-name>.<collection>`.
34+
* All documents belong to a namespace.
35+
*
36+
* @see https://www.mongodb.com/docs/manual/reference/limits/#std-label-faq-dev-namespace
37+
*/
3138
namespace: string;
3239
}
3340

3441
/** @public */
35-
export interface ClientInsertOneModel extends ClientWriteModel {
42+
export interface ClientInsertOneModel<TSchema> extends ClientWriteModel {
3643
name: 'insertOne';
3744
/** The document to insert. */
38-
document: OptionalId<Document>;
45+
document: OptionalId<TSchema>;
3946
}
4047

4148
/** @public */
42-
export interface ClientDeleteOneModel extends ClientWriteModel {
49+
export interface ClientDeleteOneModel<TSchema> extends ClientWriteModel {
4350
name: 'deleteOne';
4451
/**
4552
* The filter used to determine if a document should be deleted.
4653
* For a deleteOne operation, the first match is removed.
4754
*/
48-
filter: Filter<Document>;
55+
filter: Filter<TSchema>;
4956
/** Specifies a collation. */
5057
collation?: CollationOptions;
5158
/** The index to use. If specified, then the query system will only consider plans using the hinted index. */
5259
hint?: Hint;
5360
}
5461

5562
/** @public */
56-
export interface ClientDeleteManyModel extends ClientWriteModel {
63+
export interface ClientDeleteManyModel<TSchema> extends ClientWriteModel {
5764
name: 'deleteMany';
5865
/**
5966
* The filter used to determine if a document should be deleted.
6067
* For a deleteMany operation, all matches are removed.
6168
*/
62-
filter: Filter<Document>;
69+
filter: Filter<TSchema>;
6370
/** Specifies a collation. */
6471
collation?: CollationOptions;
6572
/** The index to use. If specified, then the query system will only consider plans using the hinted index. */
6673
hint?: Hint;
6774
}
6875

6976
/** @public */
70-
export interface ClientReplaceOneModel extends ClientWriteModel {
77+
export interface ClientReplaceOneModel<TSchema> extends ClientWriteModel {
7178
name: 'replaceOne';
7279
/**
7380
* The filter used to determine if a document should be replaced.
7481
* For a replaceOne operation, the first match is replaced.
7582
*/
76-
filter: Filter<Document>;
83+
filter: Filter<TSchema>;
7784
/** The document with which to replace the matched document. */
78-
replacement: WithoutId<Document>;
85+
replacement: WithoutId<TSchema>;
7986
/** Specifies a collation. */
8087
collation?: CollationOptions;
8188
/** The index to use. If specified, then the query system will only consider plans using the hinted index. */
@@ -85,19 +92,19 @@ export interface ClientReplaceOneModel extends ClientWriteModel {
8592
}
8693

8794
/** @public */
88-
export interface ClientUpdateOneModel extends ClientWriteModel {
95+
export interface ClientUpdateOneModel<TSchema> extends ClientWriteModel {
8996
name: 'updateOne';
9097
/**
9198
* The filter used to determine if a document should be updated.
9299
* For an updateOne operation, the first match is updated.
93100
*/
94-
filter: Filter<Document>;
101+
filter: Filter<TSchema>;
95102
/**
96103
* The modifications to apply. The value can be either:
97104
* UpdateFilter<Document> - A document that contains update operator expressions,
98105
* Document[] - an aggregation pipeline.
99106
*/
100-
update: UpdateFilter<Document> | Document[];
107+
update: UpdateFilter<TSchema> | Document[];
101108
/** A set of filters specifying to which array elements an update should apply. */
102109
arrayFilters?: Document[];
103110
/** Specifies a collation. */
@@ -109,19 +116,19 @@ export interface ClientUpdateOneModel extends ClientWriteModel {
109116
}
110117

111118
/** @public */
112-
export interface ClientUpdateManyModel extends ClientWriteModel {
119+
export interface ClientUpdateManyModel<TSchema> extends ClientWriteModel {
113120
name: 'updateMany';
114121
/**
115122
* The filter used to determine if a document should be updated.
116123
* For an updateMany operation, all matches are updated.
117124
*/
118-
filter: Filter<Document>;
125+
filter: Filter<TSchema>;
119126
/**
120127
* The modifications to apply. The value can be either:
121128
* UpdateFilter<Document> - A document that contains update operator expressions,
122129
* Document[] - an aggregation pipeline.
123130
*/
124-
update: UpdateFilter<Document> | Document[];
131+
update: UpdateFilter<TSchema> | Document[];
125132
/** A set of filters specifying to which array elements an update should apply. */
126133
arrayFilters?: Document[];
127134
/** Specifies a collation. */
@@ -137,48 +144,81 @@ export interface ClientUpdateManyModel extends ClientWriteModel {
137144
* to MongoClient#bulkWrite.
138145
* @public
139146
*/
140-
export type AnyClientBulkWriteModel =
141-
| ClientInsertOneModel
142-
| ClientReplaceOneModel
143-
| ClientUpdateOneModel
144-
| ClientUpdateManyModel
145-
| ClientDeleteOneModel
146-
| ClientDeleteManyModel;
147+
export type AnyClientBulkWriteModel<TSchema extends Document> =
148+
| ClientInsertOneModel<TSchema>
149+
| ClientReplaceOneModel<TSchema>
150+
| ClientUpdateOneModel<TSchema>
151+
| ClientUpdateManyModel<TSchema>
152+
| ClientDeleteOneModel<TSchema>
153+
| ClientDeleteManyModel<TSchema>;
154+
155+
/**
156+
* A mapping of namespace strings to collections schemas.
157+
* @public
158+
*
159+
* @example
160+
* ```ts
161+
* type MongoDBSchemas = {
162+
* 'db.books': Book;
163+
* 'db.authors': Author;
164+
* }
165+
*
166+
* const model: ClientBulkWriteModel<MongoDBSchemas> = {
167+
* namespace: 'db.books'
168+
* name: 'insertOne',
169+
* document: { title: 'Practical MongoDB Aggregations', authorName: 3 } // error `authorName` cannot be number
170+
* };
171+
* ```
172+
*
173+
* The type of the `namespace` field narrows other parts of the BulkWriteModel to use the correct schema for type assertions.
174+
*
175+
*/
176+
export type ClientBulkWriteModel<
177+
SchemaMap extends Record<string, Document> = Record<string, Document>
178+
> = {
179+
[Namespace in keyof SchemaMap]: AnyClientBulkWriteModel<SchemaMap[Namespace]> & {
180+
namespace: Namespace;
181+
};
182+
}[keyof SchemaMap];
147183

148184
/** @public */
149185
export interface ClientBulkWriteResult {
186+
/**
187+
* Whether the bulk write was acknowledged.
188+
*/
189+
readonly acknowledged: boolean;
150190
/**
151191
* The total number of documents inserted across all insert operations.
152192
*/
153-
insertedCount: number;
193+
readonly insertedCount: number;
154194
/**
155195
* The total number of documents upserted across all update operations.
156196
*/
157-
upsertedCount: number;
197+
readonly upsertedCount: number;
158198
/**
159199
* The total number of documents matched across all update operations.
160200
*/
161-
matchedCount: number;
201+
readonly matchedCount: number;
162202
/**
163203
* The total number of documents modified across all update operations.
164204
*/
165-
modifiedCount: number;
205+
readonly modifiedCount: number;
166206
/**
167207
* The total number of documents deleted across all delete operations.
168208
*/
169-
deletedCount: number;
209+
readonly deletedCount: number;
170210
/**
171211
* The results of each individual insert operation that was successfully performed.
172212
*/
173-
insertResults?: Map<number, ClientInsertOneResult>;
213+
readonly insertResults?: ReadonlyMap<number, ClientInsertOneResult>;
174214
/**
175215
* The results of each individual update operation that was successfully performed.
176216
*/
177-
updateResults?: Map<number, ClientUpdateResult>;
217+
readonly updateResults?: ReadonlyMap<number, ClientUpdateResult>;
178218
/**
179219
* The results of each individual delete operation that was successfully performed.
180220
*/
181-
deleteResults?: Map<number, ClientDeleteResult>;
221+
readonly deleteResults?: ReadonlyMap<number, ClientDeleteResult>;
182222
}
183223

184224
/** @public */

‎src/operations/client_bulk_write/executor.ts

+11-9
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,5 @@
1+
import { type Document } from 'bson';
2+
13
import { ClientBulkWriteCursor } from '../../cursor/client_bulk_write_cursor';
24
import {
35
MongoClientBulkWriteError,
@@ -22,9 +24,9 @@ import { ClientBulkWriteResultsMerger } from './results_merger';
2224
* @internal
2325
*/
2426
export class ClientBulkWriteExecutor {
25-
client: MongoClient;
26-
options: ClientBulkWriteOptions;
27-
operations: AnyClientBulkWriteModel[];
27+
private readonly client: MongoClient;
28+
private readonly options: ClientBulkWriteOptions;
29+
private readonly operations: ReadonlyArray<AnyClientBulkWriteModel<Document>>;
2830

2931
/**
3032
* Instantiate the executor.
@@ -34,7 +36,7 @@ export class ClientBulkWriteExecutor {
3436
*/
3537
constructor(
3638
client: MongoClient,
37-
operations: AnyClientBulkWriteModel[],
39+
operations: ReadonlyArray<AnyClientBulkWriteModel<Document>>,
3840
options?: ClientBulkWriteOptions
3941
) {
4042
if (operations.length === 0) {
@@ -75,7 +77,7 @@ export class ClientBulkWriteExecutor {
7577
* for each, then merge the results into one.
7678
* @returns The result.
7779
*/
78-
async execute(): Promise<ClientBulkWriteResult | { ok: 1 }> {
80+
async execute(): Promise<ClientBulkWriteResult> {
7981
// The command builder will take the user provided models and potential split the batch
8082
// into multiple commands due to size.
8183
const pkFactory = this.client.s.options.pkFactory;
@@ -90,7 +92,7 @@ export class ClientBulkWriteExecutor {
9092
const operation = new ClientBulkWriteOperation(commandBuilder, this.options);
9193
await executeOperation(this.client, operation);
9294
}
93-
return { ok: 1 };
95+
return ClientBulkWriteResultsMerger.unacknowledged();
9496
} else {
9597
const resultsMerger = new ClientBulkWriteResultsMerger(this.options);
9698
// For each command will will create and exhaust a cursor for the results.
@@ -110,7 +112,7 @@ export class ClientBulkWriteExecutor {
110112
message: 'Mongo client bulk write encountered an error during execution'
111113
});
112114
bulkWriteError.cause = error;
113-
bulkWriteError.partialResult = resultsMerger.result;
115+
bulkWriteError.partialResult = resultsMerger.bulkWriteResult;
114116
throw bulkWriteError;
115117
} else {
116118
// Client side errors are just thrown.
@@ -126,11 +128,11 @@ export class ClientBulkWriteExecutor {
126128
});
127129
error.writeConcernErrors = resultsMerger.writeConcernErrors;
128130
error.writeErrors = resultsMerger.writeErrors;
129-
error.partialResult = resultsMerger.result;
131+
error.partialResult = resultsMerger.bulkWriteResult;
130132
throw error;
131133
}
132134

133-
return resultsMerger.result;
135+
return resultsMerger.bulkWriteResult;
134136
}
135137
}
136138
}

‎src/operations/client_bulk_write/results_merger.ts

+82-3
Original file line numberDiff line numberDiff line change
@@ -11,17 +11,78 @@ import {
1111
type ClientUpdateResult
1212
} from './common';
1313

14+
/**
15+
* Unacknowledged bulk writes are always the same.
16+
*/
17+
const UNACKNOWLEDGED = {
18+
acknowledged: false,
19+
insertedCount: 0,
20+
upsertedCount: 0,
21+
matchedCount: 0,
22+
modifiedCount: 0,
23+
deletedCount: 0,
24+
insertResults: undefined,
25+
updateResults: undefined,
26+
deleteResults: undefined
27+
};
28+
29+
interface ClientBulkWriteResultAccumulation {
30+
/**
31+
* Whether the bulk write was acknowledged.
32+
*/
33+
acknowledged: boolean;
34+
/**
35+
* The total number of documents inserted across all insert operations.
36+
*/
37+
insertedCount: number;
38+
/**
39+
* The total number of documents upserted across all update operations.
40+
*/
41+
upsertedCount: number;
42+
/**
43+
* The total number of documents matched across all update operations.
44+
*/
45+
matchedCount: number;
46+
/**
47+
* The total number of documents modified across all update operations.
48+
*/
49+
modifiedCount: number;
50+
/**
51+
* The total number of documents deleted across all delete operations.
52+
*/
53+
deletedCount: number;
54+
/**
55+
* The results of each individual insert operation that was successfully performed.
56+
*/
57+
insertResults?: Map<number, ClientInsertOneResult>;
58+
/**
59+
* The results of each individual update operation that was successfully performed.
60+
*/
61+
updateResults?: Map<number, ClientUpdateResult>;
62+
/**
63+
* The results of each individual delete operation that was successfully performed.
64+
*/
65+
deleteResults?: Map<number, ClientDeleteResult>;
66+
}
67+
1468
/**
1569
* Merges client bulk write cursor responses together into a single result.
1670
* @internal
1771
*/
1872
export class ClientBulkWriteResultsMerger {
19-
result: ClientBulkWriteResult;
20-
options: ClientBulkWriteOptions;
21-
currentBatchOffset: number;
73+
private result: ClientBulkWriteResultAccumulation;
74+
private options: ClientBulkWriteOptions;
75+
private currentBatchOffset: number;
2276
writeConcernErrors: Document[];
2377
writeErrors: Map<number, ClientBulkWriteError>;
2478

79+
/**
80+
* @returns The standard unacknowledged bulk write result.
81+
*/
82+
static unacknowledged(): ClientBulkWriteResult {
83+
return UNACKNOWLEDGED;
84+
}
85+
2586
/**
2687
* Instantiate the merger.
2788
* @param options - The options.
@@ -32,6 +93,7 @@ export class ClientBulkWriteResultsMerger {
3293
this.writeConcernErrors = [];
3394
this.writeErrors = new Map();
3495
this.result = {
96+
acknowledged: true,
3597
insertedCount: 0,
3698
upsertedCount: 0,
3799
matchedCount: 0,
@@ -49,6 +111,23 @@ export class ClientBulkWriteResultsMerger {
49111
}
50112
}
51113

114+
/**
115+
* Get the bulk write result object.
116+
*/
117+
get bulkWriteResult(): ClientBulkWriteResult {
118+
return {
119+
acknowledged: this.result.acknowledged,
120+
insertedCount: this.result.insertedCount,
121+
upsertedCount: this.result.upsertedCount,
122+
matchedCount: this.result.matchedCount,
123+
modifiedCount: this.result.modifiedCount,
124+
deletedCount: this.result.deletedCount,
125+
insertResults: this.result.insertResults,
126+
updateResults: this.result.updateResults,
127+
deleteResults: this.result.deleteResults
128+
};
129+
}
130+
52131
/**
53132
* Merge the results in the cursor to the existing result.
54133
* @param currentBatchOffset - The offset index to the original models.

‎test/integration/crud/crud.prose.test.ts

+33-32
Original file line numberDiff line numberDiff line change
@@ -3,9 +3,10 @@ import { once } from 'events';
33

44
import { type CommandStartedEvent } from '../../../mongodb';
55
import {
6-
type AnyClientBulkWriteModel,
6+
type ClientBulkWriteModel,
77
type ClientSession,
88
type Collection,
9+
type Document,
910
MongoBulkWriteError,
1011
type MongoClient,
1112
MongoClientBulkWriteError,
@@ -175,7 +176,7 @@ describe('CRUD Prose Spec Tests', () => {
175176
// firstEvent.operationId is equal to secondEvent.operationId.
176177
let client: MongoClient;
177178
let maxWriteBatchSize;
178-
const models: AnyClientBulkWriteModel[] = [];
179+
let models: ClientBulkWriteModel<Document>[] = [];
179180
const commands: CommandStartedEvent[] = [];
180181

181182
beforeEach(async function () {
@@ -188,12 +189,12 @@ describe('CRUD Prose Spec Tests', () => {
188189
client.on('commandStarted', filterForCommands('bulkWrite', commands));
189190
commands.length = 0;
190191

191-
Array.from({ length: maxWriteBatchSize + 1 }, () => {
192-
models.push({
192+
models = Array.from({ length: maxWriteBatchSize + 1 }, () => {
193+
return {
193194
namespace: 'db.coll',
194195
name: 'insertOne',
195196
document: { a: 'b' }
196-
});
197+
};
197198
});
198199
});
199200

@@ -243,7 +244,7 @@ describe('CRUD Prose Spec Tests', () => {
243244
let maxBsonObjectSize;
244245
let maxMessageSizeBytes;
245246
let numModels;
246-
const models: AnyClientBulkWriteModel[] = [];
247+
let models: ClientBulkWriteModel<Document>[] = [];
247248
const commands: CommandStartedEvent[] = [];
248249

249250
beforeEach(async function () {
@@ -258,14 +259,14 @@ describe('CRUD Prose Spec Tests', () => {
258259
client.on('commandStarted', filterForCommands('bulkWrite', commands));
259260
commands.length = 0;
260261

261-
Array.from({ length: numModels }, () => {
262-
models.push({
262+
models = Array.from({ length: numModels }, () => {
263+
return {
263264
name: 'insertOne',
264265
namespace: 'db.coll',
265266
document: {
266267
a: 'b'.repeat(maxBsonObjectSize - 500)
267268
}
268-
});
269+
};
269270
});
270271
});
271272

@@ -314,7 +315,7 @@ describe('CRUD Prose Spec Tests', () => {
314315
// Assert that two CommandStartedEvents were observed for the bulkWrite command.
315316
let client: MongoClient;
316317
let maxWriteBatchSize;
317-
const models: AnyClientBulkWriteModel[] = [];
318+
let models: ClientBulkWriteModel[] = [];
318319
const commands: CommandStartedEvent[] = [];
319320

320321
beforeEach(async function () {
@@ -338,12 +339,12 @@ describe('CRUD Prose Spec Tests', () => {
338339
client.on('commandStarted', filterForCommands('bulkWrite', commands));
339340
commands.length = 0;
340341

341-
Array.from({ length: maxWriteBatchSize + 1 }, () => {
342-
models.push({
342+
models = Array.from({ length: maxWriteBatchSize + 1 }, () => {
343+
return {
343344
namespace: 'db.coll',
344345
name: 'insertOne',
345346
document: { a: 'b' }
346-
});
347+
};
347348
});
348349
});
349350

@@ -382,26 +383,26 @@ describe('CRUD Prose Spec Tests', () => {
382383
// Construct a list of write models (referred to as models) with model repeated maxWriteBatchSize + 1 times.
383384
let client: MongoClient;
384385
let maxWriteBatchSize;
385-
const models: AnyClientBulkWriteModel[] = [];
386+
let models: ClientBulkWriteModel<Document>[] = [];
386387
const commands: CommandStartedEvent[] = [];
387388

388389
beforeEach(async function () {
389390
client = this.configuration.newClient({}, { monitorCommands: true, retryWrites: false });
390391
await client.connect();
391392
await client.db('db').collection('coll').drop();
392393
const hello = await client.db('admin').command({ hello: 1 });
393-
await client.db('db').collection('coll').insertOne({ _id: 1 });
394+
await client.db('db').collection<{ _id?: number }>('coll').insertOne({ _id: 1 });
394395
maxWriteBatchSize = hello.maxWriteBatchSize;
395396

396397
client.on('commandStarted', filterForCommands('bulkWrite', commands));
397398
commands.length = 0;
398399

399-
Array.from({ length: maxWriteBatchSize + 1 }, () => {
400-
models.push({
400+
models = Array.from({ length: maxWriteBatchSize + 1 }, () => {
401+
return {
401402
namespace: 'db.coll',
402403
name: 'insertOne',
403404
document: { _id: 1 }
404-
});
405+
};
405406
});
406407
});
407408

@@ -471,7 +472,7 @@ describe('CRUD Prose Spec Tests', () => {
471472
// Assert that a CommandStartedEvent was observed for the getMore command.
472473
let client: MongoClient;
473474
let maxBsonObjectSize;
474-
const models: AnyClientBulkWriteModel[] = [];
475+
const models: ClientBulkWriteModel<Document>[] = [];
475476
const commands: CommandStartedEvent[] = [];
476477

477478
beforeEach(async function () {
@@ -545,7 +546,7 @@ describe('CRUD Prose Spec Tests', () => {
545546
let client: MongoClient;
546547
let session: ClientSession;
547548
let maxBsonObjectSize;
548-
const models: AnyClientBulkWriteModel[] = [];
549+
const models: ClientBulkWriteModel<Document>[] = [];
549550
const commands: CommandStartedEvent[] = [];
550551

551552
beforeEach(async function () {
@@ -632,7 +633,7 @@ describe('CRUD Prose Spec Tests', () => {
632633
// Assert that a CommandStartedEvent was observed for the killCursors command.
633634
let client: MongoClient;
634635
let maxBsonObjectSize;
635-
const models: AnyClientBulkWriteModel[] = [];
636+
const models: ClientBulkWriteModel<Document>[] = [];
636637
const getMoreCommands: CommandStartedEvent[] = [];
637638
const killCursorsCommands: CommandStartedEvent[] = [];
638639

@@ -803,7 +804,7 @@ describe('CRUD Prose Spec Tests', () => {
803804
let opsBytes;
804805
let numModels;
805806
let remainderBytes;
806-
let models: AnyClientBulkWriteModel[] = [];
807+
let models: ClientBulkWriteModel<Document>[] = [];
807808
const commands: CommandStartedEvent[] = [];
808809

809810
beforeEach(async function () {
@@ -821,12 +822,12 @@ describe('CRUD Prose Spec Tests', () => {
821822
commands.length = 0;
822823
models = [];
823824

824-
Array.from({ length: numModels }, () => {
825-
models.push({
825+
models = Array.from({ length: numModels }, () => {
826+
return {
826827
namespace: 'db.coll',
827828
name: 'insertOne',
828829
document: { a: 'b'.repeat(maxBsonObjectSize - 57) }
829-
});
830+
};
830831
});
831832

832833
if (remainderBytes >= 217) {
@@ -859,7 +860,7 @@ describe('CRUD Prose Spec Tests', () => {
859860
it('executes in a single batch', {
860861
metadata: { requires: { mongodb: '>=8.0.0', serverless: 'forbid' } },
861862
async test() {
862-
const sameNamespaceModel: AnyClientBulkWriteModel = {
863+
const sameNamespaceModel: ClientBulkWriteModel<Document> = {
863864
name: 'insertOne',
864865
namespace: 'db.coll',
865866
document: { a: 'b' }
@@ -896,7 +897,7 @@ describe('CRUD Prose Spec Tests', () => {
896897
metadata: { requires: { mongodb: '>=8.0.0', serverless: 'forbid' } },
897898
async test() {
898899
const namespace = `db.${'c'.repeat(200)}`;
899-
const newNamespaceModel: AnyClientBulkWriteModel = {
900+
const newNamespaceModel: ClientBulkWriteModel<Document> = {
900901
name: 'insertOne',
901902
namespace: namespace,
902903
document: { a: 'b' }
@@ -950,7 +951,7 @@ describe('CRUD Prose Spec Tests', () => {
950951
it('raises a client error', {
951952
metadata: { requires: { mongodb: '>=8.0.0', serverless: 'forbid' } },
952953
async test() {
953-
const model: AnyClientBulkWriteModel = {
954+
const model: ClientBulkWriteModel<Document> = {
954955
name: 'insertOne',
955956
namespace: 'db.coll',
956957
document: { a: 'b'.repeat(maxMessageSizeBytes) }
@@ -976,7 +977,7 @@ describe('CRUD Prose Spec Tests', () => {
976977
metadata: { requires: { mongodb: '>=8.0.0', serverless: 'forbid' } },
977978
async test() {
978979
const namespace = `db.${'c'.repeat(maxMessageSizeBytes)}`;
979-
const model: AnyClientBulkWriteModel = {
980+
const model: ClientBulkWriteModel<Document> = {
980981
name: 'insertOne',
981982
namespace: namespace,
982983
document: { a: 'b' }
@@ -1033,7 +1034,7 @@ describe('CRUD Prose Spec Tests', () => {
10331034
});
10341035

10351036
it('raises a client side error', async function () {
1036-
const model: AnyClientBulkWriteModel = {
1037+
const model: ClientBulkWriteModel<Document> = {
10371038
name: 'insertOne',
10381039
namespace: 'db.coll',
10391040
document: { a: 'b' }
@@ -1113,7 +1114,7 @@ describe('CRUD Prose Spec Tests', () => {
11131114
let maxBsonObjectSize;
11141115
let maxMessageSizeBytes;
11151116
let numModels;
1116-
let models: AnyClientBulkWriteModel[] = [];
1117+
let models: ClientBulkWriteModel<Document>[] = [];
11171118
const commands: CommandStartedEvent[] = [];
11181119

11191120
beforeEach(async function () {
@@ -1154,7 +1155,7 @@ describe('CRUD Prose Spec Tests', () => {
11541155
metadata: { requires: { mongodb: '>=8.0.0', serverless: 'forbid' } },
11551156
async test() {
11561157
const result = await client.bulkWrite(models, { ordered: false, writeConcern: { w: 0 } });
1157-
expect(result).to.deep.equal({ ok: 1 });
1158+
expect(result.acknowledged).to.be.false;
11581159
expect(commands.length).to.equal(2);
11591160
expect(commands[0].command.ops.length).to.equal(numModels - 1);
11601161
expect(commands[0].command.writeConcern.w).to.equal(0);
+274
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,274 @@
1+
import { expectAssignable, expectError, expectNotAssignable, expectType } from 'tsd';
2+
3+
import {
4+
type ClientBulkWriteModel,
5+
type ClientDeleteManyModel,
6+
type ClientDeleteOneModel,
7+
type ClientInsertOneModel,
8+
type ClientReplaceOneModel,
9+
type ClientUpdateManyModel,
10+
type ClientUpdateOneModel,
11+
type Document,
12+
type Filter,
13+
type MongoClient,
14+
type OptionalId,
15+
type UpdateFilter,
16+
type UUID,
17+
type WithoutId
18+
} from '../mongodb';
19+
20+
declare const client: MongoClient;
21+
type Book = { title: string; released: Date };
22+
type Author = { name: string; published: number };
23+
type Store = { _id: UUID };
24+
25+
// Baseline check that schema modifies the following fields for each type.
26+
declare const clientInsertOneModel: ClientInsertOneModel<Book>;
27+
expectType<OptionalId<Book>>(clientInsertOneModel.document);
28+
29+
declare const clientReplaceOneModel: ClientReplaceOneModel<Book>;
30+
expectType<Filter<Book>>(clientReplaceOneModel.filter);
31+
expectType<WithoutId<Book>>(clientReplaceOneModel.replacement);
32+
33+
declare const clientUpdateOneModel: ClientUpdateOneModel<Book>;
34+
expectType<Filter<Book>>(clientUpdateOneModel.filter);
35+
expectType<UpdateFilter<Book> | Document[]>(clientUpdateOneModel.update);
36+
37+
declare const clientUpdateManyModel: ClientUpdateManyModel<Book>;
38+
expectType<Filter<Book>>(clientUpdateManyModel.filter);
39+
expectType<UpdateFilter<Book> | Document[]>(clientUpdateManyModel.update);
40+
41+
declare const clientDeleteOneModel: ClientDeleteOneModel<Book>;
42+
expectType<Filter<Book>>(clientDeleteOneModel.filter);
43+
44+
declare const clientDeleteManyModel: ClientDeleteManyModel<Book>;
45+
expectType<Filter<Book>>(clientDeleteManyModel.filter);
46+
47+
client.bulkWrite([]); // empty should always work
48+
49+
// No schemas - all correct use
50+
client.bulkWrite([
51+
{
52+
namespace: 'db.authors',
53+
name: 'insertOne',
54+
document: { name: 'bob', published: 2 }
55+
},
56+
{
57+
namespace: 'db.authors',
58+
name: 'replaceOne',
59+
filter: { name: 'bob' },
60+
replacement: { name: 'ann', published: 2 }
61+
},
62+
{
63+
namespace: 'db.authors',
64+
name: 'updateOne',
65+
filter: { name: 'bob', published: 2 },
66+
update: {}
67+
},
68+
{
69+
namespace: 'db.authors',
70+
name: 'updateMany',
71+
filter: { name: 'bob', published: 2 },
72+
update: {}
73+
},
74+
{ namespace: 'db.authors', name: 'deleteOne', filter: {} },
75+
{ namespace: 'db.authors', name: 'deleteMany', filter: {} }
76+
]);
77+
78+
// No schemas - random namespaces, no type checking
79+
client.bulkWrite([
80+
{
81+
namespace: 'db.whatever',
82+
name: 'insertOne',
83+
document: { name: 'bob', randomKey: 2 }
84+
},
85+
{
86+
namespace: 'db.change',
87+
name: 'replaceOne',
88+
filter: { name: 'bob' },
89+
replacement: { name: 2, published: 2 }
90+
},
91+
{
92+
namespace: 'db.it',
93+
name: 'updateOne',
94+
filter: { name: 'bob', published: new Date() },
95+
update: {}
96+
},
97+
{
98+
namespace: 'db.up',
99+
name: 'updateMany',
100+
filter: { name: 'bob', published: 2 },
101+
update: {}
102+
},
103+
{ namespace: 'db.random', name: 'deleteOne', filter: {} },
104+
{ namespace: 'db.namespace', name: 'deleteMany', filter: {} }
105+
]);
106+
107+
// Operation names are still type checked when there is no schema
108+
expectError<ClientBulkWriteModel>({
109+
namespace: 'db.author',
110+
name: 'insertLots', // Not an operation we support
111+
document: { name: 'bob', published: 2 }
112+
});
113+
114+
type MongoDBSchemas = {
115+
'db.books': Book;
116+
'db.authors': Author;
117+
'db.stores': Store;
118+
};
119+
120+
expectError<ClientBulkWriteModel<MongoDBSchemas>>({
121+
namespace: 'db.author', // Unknown namespace! a typo!
122+
name: 'insertOne',
123+
document: { name: 'bob', published: 2 }
124+
});
125+
126+
expectError<ClientBulkWriteModel<MongoDBSchemas>>({
127+
namespace: 'db.authors',
128+
name: 'insertOne',
129+
document: { name: 'bob', published: '' } // Incorrect type for known field
130+
});
131+
132+
expectError<ClientBulkWriteModel<MongoDBSchemas>>({
133+
namespace: 'db.authors',
134+
name: 'insertOne',
135+
document: { name: 'bob', publish: 2 } // unknown field! typo!
136+
});
137+
138+
// Defined schemas - all correct use
139+
client.bulkWrite<MongoDBSchemas>([
140+
{
141+
namespace: 'db.authors',
142+
name: 'insertOne',
143+
document: { name: 'bob', published: 2 }
144+
},
145+
{
146+
namespace: 'db.authors',
147+
name: 'replaceOne',
148+
filter: { name: 'bob' },
149+
replacement: { name: 'ann', published: 2 }
150+
},
151+
{
152+
namespace: 'db.authors',
153+
name: 'updateOne',
154+
filter: { name: 'bob', published: 2 },
155+
update: {}
156+
},
157+
{
158+
namespace: 'db.authors',
159+
name: 'updateMany',
160+
filter: { name: 'bob', published: 2 },
161+
update: {}
162+
},
163+
{ namespace: 'db.authors', name: 'deleteOne', filter: {} },
164+
{ namespace: 'db.authors', name: 'deleteMany', filter: {} }
165+
]);
166+
167+
// Defined schemas - incorrect use
168+
expectError(
169+
client.bulkWrite<MongoDBSchemas>([
170+
{
171+
namespace: 'db.authors',
172+
name: 'insertOne',
173+
document: { name: 'bob', published: '' } // wrong type
174+
}
175+
])
176+
);
177+
178+
expectError(
179+
client.bulkWrite<MongoDBSchemas>([
180+
{
181+
namespace: 'db.authors',
182+
name: 'replaceOne',
183+
filter: { name: 'bob' },
184+
replacement: { name: 'ann', publish: 2 } // key typo
185+
}
186+
])
187+
);
188+
189+
expectError(
190+
client.bulkWrite<MongoDBSchemas>([
191+
{
192+
namespace: 'db.blah', // unknown namespace
193+
name: 'updateOne',
194+
filter: { name: 'bob', published: 2 },
195+
update: {}
196+
}
197+
])
198+
);
199+
200+
expectError(
201+
client.bulkWrite<MongoDBSchemas>([
202+
{
203+
namespace: 'db.authors',
204+
name: 'updateManyy', // unknown operation
205+
filter: { name: 'bob', published: 2 },
206+
update: {}
207+
}
208+
])
209+
);
210+
211+
type MongoDBSchemasWithCalculations = {
212+
// River Books uses star ratings
213+
[key: `river-books.${string}`]: Book & { fiveStarRatings: number };
214+
// Ocean literature uses thumbs up for ratings
215+
[key: `ocean-literature.${string}`]: Book & { thumbsUp: number };
216+
};
217+
218+
// correct use
219+
client.bulkWrite<MongoDBSchemasWithCalculations>([
220+
{
221+
namespace: 'river-books.store0',
222+
name: 'insertOne',
223+
document: { title: 'abc', released: new Date(), fiveStarRatings: 10 }
224+
},
225+
{
226+
namespace: 'ocean-literature.store0',
227+
name: 'insertOne',
228+
document: { title: 'abc', released: new Date(), thumbsUp: 10 }
229+
}
230+
]);
231+
232+
// prevented from changing each store's rating system!
233+
expectError(
234+
client.bulkWrite<MongoDBSchemasWithCalculations>([
235+
{
236+
namespace: 'river-books.store0',
237+
name: 'insertOne',
238+
document: { title: 'abc', released: new Date(), thumbsUp: 10 }
239+
},
240+
{
241+
namespace: 'ocean-literature.store0',
242+
name: 'insertOne',
243+
document: { title: 'abc', released: new Date(), fiveStarRatings: 10 }
244+
}
245+
])
246+
);
247+
248+
// Example partial use case:
249+
// I want to make sure I don't mess up any namespaces but I don't want to define schemas:
250+
251+
type MongoDBNamespaces = 'db.books' | 'db.authors' | 'db.stores';
252+
253+
client.bulkWrite<{ [K in MongoDBNamespaces]: Document }>([
254+
{
255+
namespace: 'db.books',
256+
name: 'insertOne',
257+
document: { title: 'abc', released: 32n, blah_blah: 10 } // wrong type for released does not error
258+
},
259+
{
260+
namespace: 'db.authors',
261+
name: 'insertOne',
262+
document: { title: 'abc', released: 'yesterday', fiveStarRatings: 10 }
263+
}
264+
]);
265+
266+
expectError(
267+
client.bulkWrite<{ [K in MongoDBNamespaces]: Document }>([
268+
{
269+
namespace: 'db.wrongNS',
270+
name: 'insertOne',
271+
document: { title: 'abc', released: new Date(), thumbsUp: 10 }
272+
}
273+
])
274+
);

‎test/unit/operations/client_bulk_write/results_merger.test.ts

+1
Original file line numberDiff line numberDiff line change
@@ -45,6 +45,7 @@ describe('ClientBulkWriteResultsMerger', function () {
4545

4646
it('initializes the result', function () {
4747
expect(resultsMerger.result).to.deep.equal({
48+
acknowledged: true,
4849
insertedCount: 0,
4950
upsertedCount: 0,
5051
matchedCount: 0,

0 commit comments

Comments
 (0)
Please sign in to comment.