我需要在Meteor中一次创建2000个文档。我知道我可以使用
for (i=0; i<2000; i++) {
CollectionName.insert({});
}
但我希望Meteor中有一个批量创建功能。如何以最快的方式插入这2000行?
答案 0 :(得分:8)
Meteor本身并不支持这一点。但是,它确实允许您访问Mongodb驱动程序,该驱动程序本身可以执行批量插入。
您只能在服务器上执行此操作:
var x = new Mongo.Collection("xxx");
x.rawCollection.insert([doc1, doc2, doc3...], function(err, result) {
console.log(err, result)
});
如果你的Meteor实例有权访问它,可以使用MongoDB 2.6:
var bulk = x.initializeUnorderedBulkOp();
bulk.insert( { _id: 1, item: "abc123", status: "A", soldQty: 5000 } );
bulk.insert( { _id: 2, item: "abc456", status: "A", soldQty: 150 } );
bulk.insert( { _id: 3, item: "abc789", status: "P", soldQty: 0 } );
bulk.execute( { w: "majority", wtimeout: 5000 } );
注意:
答案 1 :(得分:5)
扩展@ Akshat的答案,这是可以在Meteor 1.0 +上运行的语法
x = new Mongo.Collection("x");
var bulk = x.rawCollection().initializeUnorderedBulkOp();
bulk.insert( { _id: 1, item: "abc123", status: "A", soldQty: 5000 } );
bulk.insert( { _id: 2, item: "abc456", status: "A", soldQty: 150 } );
bulk.insert( { _id: 3, item: "abc789", status: "P", soldQty: 0 } );
Meteor.wrapAsync(bulk.execute)();
答案 2 :(得分:1)
以下是我使用的内容:
/server/fixtures.js
var insertIntoCollection = function(collection, dataArray){
dataArray.forEach(function(item){
collection.insert(item);
});
};
if (Stuff.find().count() === 0) {
var array = [
{
// document1
},{
// document2
}
];
insertIntoCollection(Stuff, array);
};