我如何在Mongoose中更新或插入文档?
我如何在Mongoose中更新或插入文档?
也许是时间的问题,也许是我深陷于稀疏文档而无法理解Mongoose中更新概念的缘故 🙂
下面是问题:
我有一个联系人模式和模型(简化属性):
var mongoose = require('mongoose'), Schema = mongoose.Schema; var mongooseTypes = require("mongoose-types"), useTimestamps = mongooseTypes.useTimestamps; var ContactSchema = new Schema({ phone: { type: String, index: { unique: true, dropDups: true } }, status: { type: String, lowercase: true, trim: true, default: 'on' } }); ContactSchema.plugin(useTimestamps); var Contact = mongoose.model('Contact', ContactSchema);
我从客户端接收到一个包含所需字段的请求,并这样使用我的模型:
mongoose.connect(connectionString); var contact = new Contact({ phone: request.phone, status: request.status });
现在我们遇到了问题:
- 如果我调用
contact.save(function(err){...})
,如果电话号码相同的联系人已经存在,我将收到一个错误(正如预期的那样-唯一的) - 我不能在联系人上调用
update()
方法,因为该方法在文档中不存在 - 如果我在模型上调用update:
Contact.update({phone:request.phone}, contact, {upsert: true}, function(err{...})
我会进入某种无限循环,因为Mongoose更新实现明显不想要一个对象作为第二个参数。
- 如果我做同样的事情,但在第二个参数中传递一个请求属性的关联数组
{status:request.status,phone:request.phone ...}
,那么它可以正常工作-但是我就没有对特定联系人的引用,也无法找到它的createdAt
和updatedAt
属性。
所以底线是,在我所尝试的所有事情之后:给定一个文档contact
,如果它存在,该如何更新它,如果它不存在,则添加它?
谢谢您的时间。
admin 更改状态以发布 2023年5月23日
我刚刚花费了整整3个小时来解决同样的问题。具体而言,我希望如果存在则替换整个文档,否则插入它。下面是解决方案:
var contact = new Contact({ phone: request.phone, status: request.status }); // Convert the Model instance to a simple object using Model's 'toObject' function // to prevent weirdness like infinite looping... var upsertData = contact.toObject(); // Delete the _id property, otherwise Mongo will return a "Mod on _id not allowed" error delete upsertData._id; // Do the upsert, which works like this: If no Contact document exists with // _id = contact.id, then create a new doc using upsertData. // Otherwise, update the existing doc with upsertData Contact.update({_id: contact.id}, upsertData, {upsert: true}, function(err{...});
我在Mongoose项目页面上创建了一个问题(an issue),希望有关此问题的信息被添加到文档中。
现在,Mongoose在findOneAndUpdate中原生支持此功能(调用MongoDB的findAndModify)。
upsert = true选项会在对象不存在时创建对象。默认为false。
var query = {'username': req.user.username}; req.newData.username = req.user.username; MyModel.findOneAndUpdate(query, req.newData, {upsert: true}, function(err, doc) { if (err) return res.send(500, {error: err}); return res.send('Succesfully saved.'); });
在旧版中,Mongoose不支持使用此方法进行以下钩子:
- defaults
- setters
- validators
- middleware