46

我知道在最新版本的 Mongoose 中,您可以将多个文档传递给 create 方法,在我的情况下甚至可以传递一组文档。

var array = [{ type: 'jelly bean' }, { type: 'snickers' }];
Candy.create(array, function (err, jellybean, snickers) {
    if (err) // ...
});

我的问题是数组的大小是动态的,因此在回调中拥有一个已创建对象的数组会很有帮助。

var array = [{ type: 'jelly bean' }, { type: 'snickers' }, ..... {type: 'N candie'}];
Candy.create(array, function (err, candies) {
    if (err) // ...

    candies.forEach(function(candy) {
       // do some stuff with candies
    });
});

不在文档中,但是这样的事情可能吗?

4

5 回答 5

49

您可以通过 访问回调的变量参数列表arguments。因此,您可以执行以下操作:

Candy.create(array, function (err) {
    if (err) // ...

    for (var i=1; i<arguments.length; ++i) {
        var candy = arguments[i];
        // do some stuff with candy
    }
});
于 2013-03-14T03:23:07.247 回答
35

使用Mongoose v5.1.5,我们可以使用insertMany()方法并传递数组。

const array = [
    {firstName: "Jelly", lastName: "Bean"},
    {firstName: "John", lastName: "Doe"}
];

Model.insertMany(array)
    .then(function (docs) {
        response.json(docs);
    })
    .catch(function (err) {
        response.status(500).send(err);
    });
于 2018-06-18T22:14:10.127 回答
11

根据GitHub 上的这张票create(),如果您在使用.

于 2015-01-17T23:41:08.840 回答
4

从 Mongoose v5 开始,您可以使用insertMany 根据mongoose 站点,它比.create()

验证文档数组并将它们插入 MongoDB(如果它们都有效)的快捷方式。这个函数比.create() 它只向服务器发送一个操作而不是每个文档一个操作要快。

完整示例:

const mongoose = require('mongoose'); 
  
// Database connection 
mongoose.connect('mongodb://localhost:27017/databasename', { 
    useNewUrlParser: true, 
    useCreateIndex: true, 
    useUnifiedTopology: true
}); 
  
// User model 
const User = mongoose.model('User', { 
    name: { type: String }, 
    age: { type: Number } 
}); 


// Function call, here is your snippet
User.insertMany([ 
    { name: 'Gourav', age: 20}, 
    { name: 'Kartik', age: 20}, 
    { name: 'Niharika', age: 20} 
]).then(function(){ 
    console.log("Data inserted")  // Success 
}).catch(function(error){ 
    console.log(error)      // Failure 
});
于 2021-01-08T23:27:20.283 回答
2

通过insert集合 db 的功能,例如:

Model.collection.insert(array, (err, list) => {
  if (err) throw err;

  console.log('list:', list);
});
于 2015-12-25T15:21:17.407 回答