How to Use findOneAndUpdate() in Mongoose

    As the name implies, findOneAndUpdate() finds the first document that matches a given filter, applies an update, and returns the document. By default, findOneAndUpdate() returns the document as it was before update was applied.

    You should set the new option to true to return the document after update was applied.

    1. const filter = { name: 'Jean-Luc Picard' };
    2. const update = { age: 59 };
    3. // `doc` is the document _after_ `update` was applied because of
    4. // `new: true`
    5. let doc = await Character.findOneAndUpdate(filter, update, {
    6. new: true
    7. doc.name; // 'Jean-Luc Picard'
    8. doc.age; // 59

    As an alternative to the new option, you can also use the returnOriginal option. returnOriginal: false is equivalent to new: true. The returnOriginal option exists for consistency with the , which has the same option.

    With the exception of an unindexed upsert, . That means you can assume the document doesn’t change between when MongoDB finds the document and when it updates the document, unless you’re doing an upsert.

    1. const filter = { name: 'Jean-Luc Picard' };
    2. const update = { age: 59 };
    3. let doc = await Character.findOne({ name: 'Jean-Luc Picard' });
    4. // Document changed in MongoDB, but not in Mongoose
    5. await Character.updateOne(filter, { name: 'Will Riker' });
    6. // This will update `doc` age to `59`, even though the doc changed.
    7. doc.age = 59;
    8. await doc.save();
    9. doc = await Character.findOne();
    10. doc.age; // 59

    Using the upsert option, you can use findOneAndUpdate() as a find-and- operation. An upsert behaves like a normal findOneAndUpdate() if it finds a document that matches filter. But, if no document matches filter, MongoDB will insert one by combining filter and update as shown below.

    Mongoose transforms the result of findOneAndUpdate() by default: it returns the updated document. That makes it difficult to check whether a document was upserted or not. In order to get the updated document and check whether MongoDB upserted a new document in the same operation, you can set the rawResult flag to make Mongoose return the raw result from MongoDB.

    1. const filter = { name: 'Will Riker' };
    2. const update = { age: 29 };
    3. await Character.countDocuments(filter); // 0
    4. let res = await Character.findOneAndUpdate(filter, update, {
    5. new: true,
    6. upsert: true,
    7. rawResult: true // Return the raw result from the MongoDB driver
    8. });
    9. res.value instanceof Character; // true
    10. // The below property will be `false` if MongoDB upserted a new
    11. // document, and `true` if MongoDB updated an existing object.