我正在尝试使用两个不同的值更新mongoDB中的两个文档。我用两个不同的回调制作它,但是只用一个请求就可以做到吗?
我的解决方案:
mongo.financeCollection.update(
{ 'reference': 10 },
{ $push:
{ history: history1 }
}, function (err){
if (err){
callback (err);
}
else {
mongo.financeCollection.update(
{ 'reference': 20 },
{ $push:
{ history: history2 }
}, function (err){
if (err){
callback(err);
}
else {
callback(null);
}
});
}
});
很抱歉,如果这是一个愚蠢的问题,但我只想优化我的代码!
答案 0 :(得分:6)
最好使用 bulkWrite
API执行此更新。请考虑以下两个文档的示例:
var bulkUpdateOps = [
{
"updateOne": {
"filter": { "reference": 10 },
"update": { "$push": { "history": history1 } }
}
},
{
"updateOne": {
"filter": { "reference": 20 },
"update": { "$push": { "history": history2 } }
}
}
];
mongo.financeCollection.bulkWrite(bulkUpdateOps,
{"ordered": true, "w": 1}, function(err, result) {
// do something with result
callback(err);
}
{"ordered": true, "w": 1}
确保文档将按照提供的顺序按顺序在服务器上更新,因此如果发生错误,则中止所有剩余的更新。 {"w": 1}
选项确定写入问题,1表示请求确认写操作已传播到独立mongod或副本集中的主要文件。
对于MongoDB >= 2.6
和<= 3.0
,请使用Bulk Opeartions API,如下所示:
var bulkUpdateOps = mongo.financeCollection.initializeOrderedBulkOp();
bulkUpdateOps
.find({ "reference": 10 })
.updateOne({
"$push": { "history": history1 }
});
bulkUpdateOps
.find({ "reference": 20 })
.updateOne({
"$push": { "history": history2 }
});
bulk.execute(function(err, result){
bulkUpdateOps = mongo.financeCollection.initializeOrderedBulkOp();
// do something with result
callback(err);
});