我有一个集合A,其文档格式为:
{
_id: 12345,
title: "title"
}
和文件B的形式为:
{
_id: 12345,
newAttribute: "newAttribute12345"
}
我想更新集合A以获得如下文档:
{
_id: 12345,
title: "title"
newAttribute: "newAttribute12345"
}
此时我是用
做的update({_id: doc._id}, {$set: {newAttribute: doc.newAttrubute}})
,但我需要在循环中为所有文档运行10,000。 如何在1 db调用中以最有效的方式更新这些(通过_id)这样的多个文档? (这基本上是一个连接/批量更新属性操作)
我使用的是mongodb 2.6
答案 0 :(得分:2)
考虑以下方案,两个集合名称为title
和attribute
。
title
集合包含以下文档:
[{
_id: 12345,
title: "title"
},
{
_id: 12346,
title: "title1"
}]
和attribute
集合包含以下文档:
[{
_id: 12345,
newAttribute: "newAttribute12345"
},
{
_id: 12346,
newAttribute: "newAttribute12346"
},
{
_id: 12347,
newAttribute: "newAttribute12347"
}]
您希望使用此条件更新title
集合title._id = attribute._id
使用mongo bulk更新以及以下脚本:
var bulk = db.title.initializeOrderedBulkOp();
var counter = 0;
db.attribute.find().forEach(function(data) {
var updoc = {
"$set": {}
};
var updateKey = "newAttribute";
updoc["$set"][updateKey] = data.newAttribute;
bulk.find({
"_id": data._id
}).update(updoc);
counter++;
// Drain and re-initialize every 1000 update statements
if(counter % 1000 == 0) {
bulk.execute();
bulk = db.title.initializeOrderedBulkOp();
}
})
// Add the rest in the queue
if(counter % 1000 != 0) bulk.execute();
答案 1 :(得分:0)
一个可能/有问题的答案是hacky加入mongo(也许有更好的东西): http://tebros.com/2011/07/using-mongodb-mapreduce-to-join-2-collections/
这个问题是我必须稍后交换集合,这需要我知道我的集合的属性
var r = function(key, values){
var result = { prop1: null, prop2: null };
values.forEach(function(value){
if (result.prop1 === null && value.prop1 !== null) {
result.prop1 = value.prop1;
}
if (result.prop2 === null && value.prop2 !== null) {
result.prop2 = value.prop2;
}
})
return result;
};
var m = function(){
emit(this._id, { prop1: this.prop1, prop2: this.prop2 })
}
db.A.mapReduce(m1, r, { out: { reduce: 'C' }});
db.B.mapReduce(m1, r, { out: { reduce: 'C' }});
答案 2 :(得分:0)
您可以使用cursor.forEach
方法
db.collectionA.find().forEach(function(docA){
db.collectionB.find().forEach(function(docB){
if(docA._id === docB._id){
docA.newAttribute = docB.newAttribute;
db.collectionA.save(docA);
}
})
})
> db.collectionA.find()
{ "_id" : 12345, "title" : "title", "newAttribute" : "newAttribute12345" }