3

下面是来自 routes/index.js 的代码快照

exports.index = function(req, res){
    var results=new Array();
    for(var i=0; i<1000;i++){
        //do database query or time intensive task here based on i 
        // add each result to the results array
    }
    res.render('index', { title: 'Home !' , results:results });
};

如果我运行这段代码,由于 javascript 的异步特性,最后一行在循环被完全处理之前被执行。因此我的网页没有结果。我如何构建这种方式,以便在查询完成后加载页面?


更新

在循环内部,我有如下数据库代码( Redis ) -

client.hgetall("game:" +i, function(err, reply) {

           results.push(reply.name);
        });
4

2 回答 2

6

使用异步库

exports.index = function(req, res){
    var results=new Array();
    async.forEach(someArray, function(item, callback){
        // call this callback when any asynchronous processing is done and
        // this iteration of the loop can be considered complete
        callback();
    // function to run after loop has completed
    }, function(err) {
        if ( !err) res.render('index', { title: 'Home !' , results:results });
    });
};

如果循环内的任务之一是异步的,则需要向异步任务传递一个回调,该回调调用callback(). 如果您没有要在 in 中使用的数组forEach,只需使用 1-1000 的整数填充一个。

编辑:鉴于您的最新代码,只需async callback()responses.push(reply.name).

于 2012-12-17T02:22:08.697 回答
3
exports.index = function(req, res) {
  var events = require("events");
  var e = new events.EventEmitter();
  e.expected = 1000;
  e.finished = 0;
  e.results = [];

  e.on("finishedQuery", (function(err, r) {
    this.finished += 1;
    this.results.push(r && r.name);
    if (this.finished === this.expected) {
       res.render('index', { title: 'Home !' , results:this.results });
    };
  }).bind(e));

  for (var i = 0; i < e.expected; i++) {
    client.hgetall("game:" + i, function(err, reply) {
      e.emit("finishedQuery", err, reply);
    });
  };
};

当然,上面的代码不处理 [1 或多个] 错误。您需要添加仅响应 (1) 第一个错误或 (2) 如果没有发生错误的逻辑。

于 2012-12-17T19:06:34.297 回答