用Q迭代

时间:2015-08-30 20:25:05

标签: node.js mongodb q monk

我在MongoDB中有这个集合(为简洁起见我省略了_id):

test> db.entries.find();
{
  "val": 1
}
{
  "val": 2
}
{
  "val": 3
}
{
  "val": 4
}
{
  "val": 5
}

我需要对每个文档执行一些处理,我无法对db.update()执行此操作。因此,简而言之,我需要做的是一次检索一个文档,在Node中处理它并将其保存回Mongo。

我正在使用Monk库,而Q则用于承诺。这就是我所做的 - 为简洁起见,我没有包括处理/保存位:

var q = require('q');

var db = require('monk')('localhost/test');
var entries = db.get('entries');

var i = 1;
var total;

var f = function (entry) {
    console.log('i = ' + i);
    console.log(entry.val);
    i++;
    if (i <= total) {
        var promise = entries.findOne({ val: i });
        loop.then(function (p) {
            return f(p);
        });
        return promise;
    }
};

var loop = q.fcall(function () {

    return entries.count({});

}).then(function (r) {

    total = r;
    return entries.findOne({ val: i });

}).then(f);

我希望打印出这段代码:

i = 1
1
i = 2
2
i = 3
3
i = 4
4
i = 5
5

但实际打印出来:

i = 1
1
i = 2
2
i = 3
2
i = 4
2
i = 5
2

我做错了什么?

1 个答案:

答案 0 :(得分:1)

在你的代码中,循环是唯一的一个承诺。它只执行一次。它不是一个功能。 在f内,loop.then(f)只会使用保证的结果触发f(它已被执行,因此不再执行)。

你真的想要创造几个承诺。 您正在寻找的东西应该是这样的:

var q = require('q');

var db = require('monk')('localhost/test');
var entries = db.get('entries');

var i = 1;
var total;

var f = function (entry) {
    console.log('i = ' + i);
    console.log(entry.val);
    i++;
    if (i <= total) {
        // I am not sure why you put entries.findOne here (looks like a mistake, 
        // its returned value isn't used) but if you really need it to be done
        // before loop, then you must pipe it before loop
        return entries.findOne({ val: i }).then(loop);
        // do not pipe f again here, it is already appended at the end of loop
    }
};

function loop(){
    return q.fcall(function () {
        return entries.count({});
    }).then(function (r) {
        total = r;
        return entries.findOne({ val: i });
    }).then(f);
}

loop();

如果您有兴趣,here is a very nice article about promises