2

我有:

Emotion.find (query, "-_id", opts, function (error, e){
    if (error) return cb (error, 500);
    for (var i=0, len=e.length; i<len; i++){
        e[i] = convert (e[i]);
    }
    cb (null, e);
});

如果函数返回 1k 个文档,我必须迭代 1k 次。

如何添加为每个文档执行的回调?就像是:

var each = function (e){
    return convert (e);
};

Emotion.find (query, "-_id", opts, each, function (error, e){
    if (error) return cb (error, 500);
    cb (null, e);
});

我基本上需要使用来自 mongodb 的 each():http: //mongodb.github.com/node-mongodb-native/api-generated/cursor.html#each


编辑:也许这可以通过从流中侦听数据事件并将文档推送到数组来完成:

http://mongoosejs.com/docs/api.html#query_Query-stream

4

3 回答 3

5

正如我所说,使用流:

var emotions = [];

Emotion.find (query, "-_id", opts).stream ()
        .on ("error", function (error){
            cb (error, 500);
        })
        .on ("data", function (doc){
            emotions.push (convert (doc));
        })
        .on ("close", function (){
            cb (null, emotions)
        });

编辑:上述解决方案比这慢得多:

var emotions = [];

//Get the collection... then:

collection.find (query, opts, function (error, cursor){
    if (error) return cb (error, 500);

    cursor.each (function (error, doc){
        if (error) return cb (error, 500);
        if (!doc) return cb (null, emotions);
        emotions.push (convert (doc));
    });
});
于 2013-03-25T15:17:40.103 回答
1

似乎您可以使用查询流来做您想做的事 - 但是,即使使用each()某种调用,您本质上仍然在迭代所有返回的文档,只需使用一点语法糖。

于 2013-03-25T15:04:57.707 回答
1

mongoose/eachAsync 的简单示例代码对这种情况很有用:

functionProcess = (callback) => {

  userModel.find().cursor().eachAsync(user => {
    return user.save().exec();        // Need promise
  }).then(callback);     //Final loop

}
于 2017-11-21T11:27:35.250 回答