Skip to content

Commit 7c726c2

Browse files
committed
Merge branch '7.x'
2 parents 5ea6e38 + 9afba5f commit 7c726c2

File tree

11 files changed

+105
-41
lines changed

11 files changed

+105
-41
lines changed

CHANGELOG.md

+19
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,8 @@
1+
7.6.10 / 2024-03-13
2+
===================
3+
* docs(model): add extra note about lean option for insertMany() skipping casting #14415
4+
* docs(mongoose): add options.overwriteModel details to mongoose.model() docs #14422
5+
16
8.2.1 / 2024-03-04
27
==================
38
* fix(document): make $clone avoid converting subdocs into POJOs #14395 #14353
@@ -7,13 +12,21 @@
712
* types: missing typescript details on options params of updateMany, updateOne, etc. #14382 #14379 #14378 [FaizBShah](https://github.com/FaizBShah) [sderrow](https://github.com/sderrow)
813
* types: allow Record<string, string> as valid query select argument #14371 [sderrow](https://github.com/sderrow)
914

15+
6.12.7 / 2024-03-01
16+
===================
17+
* perf(model): make insertMany() lean option skip hydrating Mongoose docs #14376 #14372
18+
* perf(document+schema): small optimizations to make init() faster #14383 #14113
19+
* fix(connection): don't modify passed options object to `openUri()` #14370 #13376 #13335
20+
* fix(ChangeStream): bubble up resumeTokenChanged changeStream event #14355 #14349 [3150](https://github.com/3150)
21+
1022
7.6.9 / 2024-02-26
1123
==================
1224
* fix(document): handle embedded recursive discriminators on nested path defined using Schema.prototype.discriminator #14256 #14245
1325
* types(model): correct return type for findByIdAndDelete() #14233 #14190
1426
* docs(connections): add note about using asPromise() with createConnection() for error handling #14364 #14266
1527
* docs(model+query+findoneandupdate): add more details about overwriteDiscriminatorKey option to docs #14264 #14246
1628

29+
<<<<<<< HEAD
1730
8.2.0 / 2024-02-22
1831
==================
1932
* feat(model): add recompileSchema() function to models to allow applying schema changes after compiling #14306 #14296
@@ -71,6 +84,12 @@
7184
* docs: update TLS/SSL guide for Mongoose v8 - MongoDB v6 driver deprecations #14170 [andylwelch](https://github.com/andylwelch)
7285
* docs: update findOneAndUpdate tutorial to use includeResultMetadata #14208 #14207
7386
* docs: clarify disabling _id on subdocs #14195 #14194
87+
=======
88+
6.12.6 / 2024-01-22
89+
===================
90+
* fix(collection): correctly handle buffer timeouts with find() #14277
91+
* fix(document): allow calling push() with different $position arguments #14254
92+
>>>>>>> 7.x
7493
7594
7.6.8 / 2024-01-08
7695
==================

lib/document.js

+15-13
Original file line numberDiff line numberDiff line change
@@ -742,7 +742,7 @@ function init(self, obj, doc, opts, prefix) {
742742
if (i === '__proto__' || i === 'constructor') {
743743
return;
744744
}
745-
path = prefix + i;
745+
path = prefix ? prefix + i : i;
746746
schemaType = docSchema.path(path);
747747
// Should still work if not a model-level discriminator, but should not be
748748
// necessary. This is *only* to catch the case where we queried using the
@@ -751,37 +751,39 @@ function init(self, obj, doc, opts, prefix) {
751751
return;
752752
}
753753

754-
if (!schemaType && utils.isPOJO(obj[i])) {
754+
const value = obj[i];
755+
if (!schemaType && utils.isPOJO(value)) {
755756
// assume nested object
756757
if (!doc[i]) {
757758
doc[i] = {};
758759
if (!strict && !(i in docSchema.tree) && !(i in docSchema.methods) && !(i in docSchema.virtuals)) {
759760
self[i] = doc[i];
760761
}
761762
}
762-
init(self, obj[i], doc[i], opts, path + '.');
763+
init(self, value, doc[i], opts, path + '.');
763764
} else if (!schemaType) {
764-
doc[i] = obj[i];
765+
doc[i] = value;
765766
if (!strict && !prefix) {
766-
self[i] = obj[i];
767+
self[i] = value;
767768
}
768769
} else {
769770
// Retain order when overwriting defaults
770-
if (doc.hasOwnProperty(i) && obj[i] !== void 0 && !opts.hydratedPopulatedDocs) {
771+
if (doc.hasOwnProperty(i) && value !== void 0 && !opts.hydratedPopulatedDocs) {
771772
delete doc[i];
772773
}
773-
if (obj[i] === null) {
774+
if (value === null) {
774775
doc[i] = schemaType._castNullish(null);
775-
} else if (obj[i] !== undefined) {
776-
const wasPopulated = obj[i].$__ == null ? null : obj[i].$__.wasPopulated;
777-
if ((schemaType && !wasPopulated) && !opts.hydratedPopulatedDocs) {
776+
} else if (value !== undefined) {
777+
const wasPopulated = value.$__ == null ? null : value.$__.wasPopulated;
778+
779+
if (schemaType && !wasPopulated && !opts.hydratedPopulatedDocs) {
778780
try {
779781
if (opts && opts.setters) {
780782
// Call applySetters with `init = false` because otherwise setters are a noop
781783
const overrideInit = false;
782-
doc[i] = schemaType.applySetters(obj[i], self, overrideInit);
784+
doc[i] = schemaType.applySetters(value, self, overrideInit);
783785
} else {
784-
doc[i] = schemaType.cast(obj[i], self, true);
786+
doc[i] = schemaType.cast(value, self, true);
785787
}
786788
} catch (e) {
787789
self.invalidate(e.path, new ValidatorError({
@@ -793,7 +795,7 @@ function init(self, obj, doc, opts, prefix) {
793795
}));
794796
}
795797
} else {
796-
doc[i] = obj[i];
798+
doc[i] = value;
797799
}
798800
}
799801
// mark as hydrated

lib/drivers/node-mongodb-native/collection.js

+3-4
Original file line numberDiff line numberDiff line change
@@ -136,11 +136,10 @@ function iter(i) {
136136
let promise = null;
137137
let timeout = null;
138138
if (syncCollectionMethods[i] && typeof lastArg === 'function') {
139-
this.addQueue(() => {
140-
lastArg.call(this, null, this[i].apply(this, _args.slice(0, _args.length - 1)));
141-
}, []);
139+
this.addQueue(i, _args);
140+
callback = lastArg;
142141
} else if (syncCollectionMethods[i]) {
143-
promise = new Promise((resolve, reject) => {
142+
promise = new this.Promise((resolve, reject) => {
144143
callback = function collectionOperationCallback(err, res) {
145144
if (timeout != null) {
146145
clearTimeout(timeout);

lib/model.js

+17-5
Original file line numberDiff line numberDiff line change
@@ -3085,7 +3085,7 @@ Model.startSession = function() {
30853085
* @param {Object} [options] see the [mongodb driver options](https://mongodb.github.io/node-mongodb-native/4.9/classes/Collection.html#insertMany)
30863086
* @param {Boolean} [options.ordered=true] if true, will fail fast on the first error encountered. If false, will insert all the documents it can and report errors later. An `insertMany()` with `ordered = false` is called an "unordered" `insertMany()`.
30873087
* @param {Boolean} [options.rawResult=false] if false, the returned promise resolves to the documents that passed mongoose document validation. If `true`, will return the [raw result from the MongoDB driver](https://mongodb.github.io/node-mongodb-native/4.9/interfaces/InsertManyResult.html) with a `mongoose` property that contains `validationErrors` and `results` if this is an unordered `insertMany`.
3088-
* @param {Boolean} [options.lean=false] if `true`, skips hydrating and validating the documents. This option is useful if you need the extra performance, but Mongoose won't validate the documents before inserting.
3088+
* @param {Boolean} [options.lean=false] if `true`, skips hydrating the documents. This means Mongoose will **not** cast or validate any of the documents passed to `insertMany()`. This option is useful if you need the extra performance, but comes with data integrity risk. Consider using with [`castObject()`](https://mongoosejs.com/docs/api/model.html#Model.castObject()).
30893089
* @param {Number} [options.limit=null] this limits the number of documents being processed (validation/casting) by mongoose in parallel, this does **NOT** send the documents in batches to MongoDB. Use this option if you're processing a large number of documents and your app is running out of memory.
30903090
* @param {String|Object|Array} [options.populate=null] populates the result documents. This option is a no-op if `rawResult` is set.
30913091
* @param {Boolean} [options.throwOnValidationError=false] If true and `ordered: false`, throw an error if one of the operations failed validation, but all valid operations completed successfully.
@@ -3146,6 +3146,13 @@ Model.$__insertMany = function(arr, options, callback) {
31463146
const results = ordered ? null : new Array(arr.length);
31473147
const toExecute = arr.map((doc, index) =>
31483148
callback => {
3149+
// If option `lean` is set to true bypass validation and hydration
3150+
if (lean) {
3151+
// we have to execute callback at the nextTick to be compatible
3152+
// with parallelLimit, as `results` variable has TDZ issue if we
3153+
// execute the callback synchronously
3154+
return immediate(() => callback(null, doc));
3155+
}
31493156
if (!(doc instanceof _this)) {
31503157
if (doc != null && typeof doc !== 'object') {
31513158
return callback(new ObjectParameterError(doc, 'arr.' + index, 'insertMany'));
@@ -3226,7 +3233,7 @@ Model.$__insertMany = function(arr, options, callback) {
32263233
callback(null, []);
32273234
return;
32283235
}
3229-
const docObjects = docAttributes.map(function(doc) {
3236+
const docObjects = lean ? docAttributes : docAttributes.map(function(doc) {
32303237
if (doc.$__schema.options.versionKey) {
32313238
doc[doc.$__schema.options.versionKey] = 0;
32323239
}
@@ -3239,9 +3246,11 @@ Model.$__insertMany = function(arr, options, callback) {
32393246

32403247
_this.$__collection.insertMany(docObjects, options).then(
32413248
res => {
3242-
for (const attribute of docAttributes) {
3243-
attribute.$__reset();
3244-
_setIsNew(attribute, false);
3249+
if (!lean) {
3250+
for (const attribute of docAttributes) {
3251+
attribute.$__reset();
3252+
_setIsNew(attribute, false);
3253+
}
32453254
}
32463255

32473256
if (ordered === false && throwOnValidationError && validationErrors.length > 0) {
@@ -3343,6 +3352,9 @@ Model.$__insertMany = function(arr, options, callback) {
33433352
return !isErrored;
33443353
}).
33453354
map(function setIsNewForInsertedDoc(doc) {
3355+
if (lean) {
3356+
return doc;
3357+
}
33463358
doc.$__reset();
33473359
_setIsNew(doc, false);
33483360
return doc;

lib/mongoose.js

+4-2
Original file line numberDiff line numberDiff line change
@@ -506,12 +506,14 @@ Mongoose.prototype.pluralize = function(fn) {
506506
*
507507
* // or
508508
*
509-
* const collectionName = 'actor'
510-
* const M = mongoose.model('Actor', schema, collectionName)
509+
* const collectionName = 'actor';
510+
* const M = mongoose.model('Actor', schema, collectionName);
511511
*
512512
* @param {String|Function} name model name or class extending Model
513513
* @param {Schema} [schema] the schema to use.
514514
* @param {String} [collection] name (optional, inferred from model name)
515+
* @param {Object} [options]
516+
* @param {Boolean} [options.overwriteModels=false] If true, overwrite existing models with the same name to avoid `OverwriteModelError`
515517
* @return {Model} The model associated with `name`. Mongoose will create the model if it doesn't already exist.
516518
* @api public
517519
*/

lib/schema.js

+3
Original file line numberDiff line numberDiff line change
@@ -1014,6 +1014,9 @@ reserved.collection = 1;
10141014

10151015
Schema.prototype.path = function(path, obj) {
10161016
if (obj === undefined) {
1017+
if (this.paths[path] != null) {
1018+
return this.paths[path];
1019+
}
10171020
// Convert to '.$' to check subpaths re: gh-6405
10181021
const cleanPath = _pathToPositionalSyntax(path);
10191022
let schematype = _getPath(this, path, cleanPath);

lib/types/array/methods/index.js

+8-9
Original file line numberDiff line numberDiff line change
@@ -698,22 +698,21 @@ const methods = {
698698

699699
if ((atomics.$push && atomics.$push.$each && atomics.$push.$each.length || 0) !== 0 &&
700700
atomics.$push.$position != atomic.$position) {
701-
throw new MongooseError('Cannot call `Array#push()` multiple times ' +
702-
'with different `$position`');
703-
}
701+
if (atomic.$position != null) {
702+
[].splice.apply(arr, [atomic.$position, 0].concat(values));
703+
ret = arr.length;
704+
} else {
705+
ret = [].push.apply(arr, values);
706+
}
704707

705-
if (atomic.$position != null) {
708+
this._registerAtomic('$set', this);
709+
} else if (atomic.$position != null) {
706710
[].splice.apply(arr, [atomic.$position, 0].concat(values));
707711
ret = this.length;
708712
} else {
709713
ret = [].push.apply(arr, values);
710714
}
711715
} else {
712-
if ((atomics.$push && atomics.$push.$each && atomics.$push.$each.length || 0) !== 0 &&
713-
atomics.$push.$position != null) {
714-
throw new MongooseError('Cannot call `Array#push()` multiple times ' +
715-
'with different `$position`');
716-
}
717716
atomic = values;
718717
ret = _basePush.apply(arr, values);
719718
}

lib/types/arraySubdocument.js

+1-1
Original file line numberDiff line numberDiff line change
@@ -145,7 +145,7 @@ ArraySubdocument.prototype.$__fullPath = function(path, skipIndex) {
145145
*/
146146

147147
ArraySubdocument.prototype.$__pathRelativeToParent = function(path, skipIndex) {
148-
if (this.__index == null) {
148+
if (this.__index == null || (!this.__parentArray || !this.__parentArray.$path)) {
149149
return null;
150150
}
151151
if (skipIndex) {

test/collection.test.js

+13
Original file line numberDiff line numberDiff line change
@@ -51,6 +51,19 @@ describe('collections:', function() {
5151
await db.close();
5252
});
5353

54+
it('returns a promise if buffering and callback with find() (gh-14184)', function(done) {
55+
db = mongoose.createConnection();
56+
const collection = db.collection('gh14184');
57+
collection.opts.bufferTimeoutMS = 100;
58+
59+
collection.find({ foo: 'bar' }, {}, (err, docs) => {
60+
assert.ok(err);
61+
assert.ok(err.message.includes('buffering timed out after 100ms'));
62+
assert.equal(docs, undefined);
63+
done();
64+
});
65+
});
66+
5467
it('methods should that throw (unimplemented)', function() {
5568
const collection = new Collection('test', mongoose.connection);
5669
let thrown = false;

test/document.test.js

+8-7
Original file line numberDiff line numberDiff line change
@@ -8172,7 +8172,7 @@ describe('document', function() {
81728172
assert.deepEqual(Object.keys(err.errors), ['age']);
81738173
});
81748174

8175-
it('array push with $position (gh-4322)', async function() {
8175+
it('array push with $position (gh-14244) (gh-4322)', async function() {
81768176
const schema = Schema({
81778177
nums: [Number]
81788178
});
@@ -8196,12 +8196,13 @@ describe('document', function() {
81968196
$each: [0],
81978197
$position: 0
81988198
});
8199-
assert.throws(() => {
8200-
doc.nums.push({ $each: [5] });
8201-
}, /Cannot call.*multiple times/);
8202-
assert.throws(() => {
8203-
doc.nums.push(5);
8204-
}, /Cannot call.*multiple times/);
8199+
assert.deepStrictEqual(doc.nums.$__getAtomics(), [['$push', { $each: [0], $position: 0 }]]);
8200+
8201+
doc.nums.push({ $each: [5] });
8202+
assert.deepStrictEqual(doc.nums.$__getAtomics(), [['$set', [0, 1, 2, 3, 4, 5]]]);
8203+
8204+
doc.nums.push({ $each: [0.5], $position: 1 });
8205+
assert.deepStrictEqual(doc.nums.$__getAtomics(), [['$set', [0, 0.5, 1, 2, 3, 4, 5]]]);
82058206
});
82068207

82078208
it('setting a path to a single nested document should update the single nested doc parent (gh-8400)', function() {

test/model.test.js

+14
Original file line numberDiff line numberDiff line change
@@ -3592,6 +3592,20 @@ describe('Model', function() {
35923592

35933593
await db.close();
35943594
});
3595+
3596+
it('bubbles up resumeTokenChanged events (gh-14349)', async function() {
3597+
const MyModel = db.model('Test', new Schema({ name: String }));
3598+
3599+
const resumeTokenChangedEvent = new Promise(resolve => {
3600+
changeStream = MyModel.watch();
3601+
listener = data => resolve(data);
3602+
changeStream.once('resumeTokenChanged', listener);
3603+
});
3604+
3605+
await MyModel.create({ name: 'test' });
3606+
const { _data } = await resumeTokenChangedEvent;
3607+
assert.ok(_data);
3608+
});
35953609
});
35963610

35973611
describe('sessions (gh-6362)', function() {

0 commit comments

Comments
 (0)