2

我正在使用 nodejs 通过 Mongoose 从 Mongodb 查询数据。获取数据后,我想在响应客户端之前对该数据执行一些操作。但我无法获得返回值。在 Google 上查看后,我了解到 Node.js 函数是异步 javascript 函数(非 I/O 阻塞)。我试试这个 tut ( http://www.youtube.com/watch?v=xDW9bK-9pNY ) 但它不起作用。下面是我的代码。myObject 在“find()”函数内部被赋值,在“find()”函数外部未定义。那么我应该怎么做才能获取数据呢?谢谢!

var Person = mongoose.model('Person', PersonSchema);
var Product = mongoose.model('Product', ProductSchema);
var myObject = new Object();

Person.find().exec(function (err, docs) {
    for (var i=0;i<docs.length;i++)
    { 
    Product.find({ user: docs[i]._id},function (err, pers) {
    myObject[i] = pers;
    console.log(myObject[i]); //return the value is ok
    });
    console.log(myObject[i]); //return undefined value
    }
    console.log(myObject); //return undefined value
});
    console.log(myObject); //return undefined value

app.listen(3000);
console.log('Listening on port 3000');
4

2 回答 2

8

您获得未定义值的原因是 find 函数是异步的,并且可以随时完成。在您的情况下,它在您使用后完成console.log(),因此在您访问它们时这些值是未定义的。

要解决此问题,您只能使用 find 函数回调中的值。它看起来像这样:

var Person = mongoose.model('Person', PersonSchema);
var Product = mongoose.model('Product', ProductSchema);
var myObject = new Object();

function getData(docs, callback) {
  function loop(i) {
    Product.find({ user: docs[i]._id}, function (err, pers) {
      myObject[i] = pers;

      if (i < docs.length) {
        loop(i + 1);
      } else {
        callback();
      }
    });
  };
  loop(0);
};

Person.find().exec(function(err, docs) {
  getData(docs, function() {
    // myObject has been populated at this point
  });
});

数据处理已移至等待上一次迭代完成的循环。这样,我们可以确定最后一个回调何时触发,以便在包装函数中触发回调。

于 2013-09-23T03:04:28.760 回答
2

请记住,执行 console.log 函数时,查询尚未完成,因此将显示“未定义”。这就是 nodeJS 异步性的本质。

例如,

Person.find().exec(function (err, docs) {
    for (var i=0;i<docs.length;i++)
    { 
    Product.find({ user: docs[i]._id},function (err, pers) {
    myObject[i] = pers;
    console.log(myObject[i]); //return the value is ok
    });
    console.log(myObject[i]); //return undefined value
    }
    console.log(myObject); //return undefined value
});

console.log(myObject); // <-- Initially, this value will be undefined. After some miliseconds (Or the duration of the .exec function, myObject will contain the results.

如果您想真正等到查询完成以便可以使用这些值,我建议将app.listen(3000);andconsole.log('Listening on port 3000');移到函数的最终回调中。

我还建议您查看节点模块。它将帮助您更轻松地构建异步/同步函数,并允许您在所有异步函数完成时执行回调。

于 2013-09-23T03:10:31.913 回答