考虑以下命令:
WorkPlan.findOneAndUpdate({ _id: req.params.id }, updateObj, function(err) {
...
})
与此:
WorkPlan.findOneAndUpdate({ _id: req.params.id }, { '$set': updateObj }, function(err) {
...
})
在开发项目时,我惊讶地发现第一个命令的结果与第二个命令的结果相同:
updateObj
被合并到数据库中的现有记录中,即使在第一种情况下取代它。这是mongoose/mongodb中的错误,还是我做错了什么?如何在更新时替换对象而不是合并对象?我正在使用 Mongoose 4.0.7。谢谢。
==========
更新:
这是实际的WorkPlan模式定义:
workPlanSchema = mongoose.Schema({
planId: { type: String, required: true },
projectName: { type: String, required: true },
projectNumber: { type: String, required: false },
projectManagerName: { type: String, required: true },
clientPhoneNumber: { type: String, required: false },
clientEmail: { type: String, required: true },
projectEndShowDate: { type: Date, required: true },
segmentationsToDisplay: { type: [String], required: false },
areas: [
{
fatherArea: { type: mongoose.Schema.ObjectId, ref: 'Area' },
childAreas: [{ childId : { type: mongoose.Schema.ObjectId, ref: 'Area' }, status: { type: String, default: 'none' } }]
}
],
logoPositions: [
{
lat: { type: Number, required: true },
lng: { type: Number, required: true }
}
],
logoPath: { type: String, required: false },
}, { collection: 'workPlans' });
WorkPlan = mongoose.model('WorkPlan', workPlanSchema);
这是
updateObj
的示例: var updateObj = {
projectManagerName: projectManagerName,
clientEmail: clientEmail,
clientPhoneNumber: clientPhoneNumber,
segmentationsToDisplay: segmentationsToDisplay ? segmentationsToDisplay.split(',') : []
}
因此,当我不使用$ set标志时,我希望例如
projectNumber
字段在新记录中不存在,但我仍然看到它。 最佳答案
Mongoose 更新将所有顶级键都视为$set
操作(这在旧版文档Mongoose 2.7.x update docs中更加清楚)。
为了获得所需的行为,需要将overwrite
选项设置为true:
WorkPlan.findOneAndUpdate({ _id: req.params.id }, updateObj, { overwrite: true }, function(err) {
...
})
参见Mongoose Update documentation
关于node.js - Mongoose -带$ set标志的findOneAndUpdate,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/38405989/