8

我一直在尝试使用 node.js 遍历一系列城市并向谷歌发出迭代请求以获取每个城市的方向(然后我使用 JSON.parse 来抽象驾驶时间)。我需要找到一种同步执行此操作的方法,否则我将一次从谷歌请求每个城市的所有信息。我在http://tech.richardrodger.com/2011/04/21/node-js-%E2%80%93-how-to-write-a-for-loop-with-callbacks找到了一个很好的模式/但不能让回调工作。如您所见,我使用“显示”功能进行测试。我的代码如下:

var request = require('request');
var fs = require('fs');
var arr = ['glasgow','preston','blackpool','chorley','newcastle','bolton','paris','york','doncaster'];
//the function I want to call on each city from [arr]
function getTravelTime(a, b,callback){
 request('https://maps.googleapis.com/maps/api/directions/json?origin='+a+'&destination='+b+'&region=en&sensor=false',function(err,res,data){
 var foo = JSON.parse(data);
 var duration = foo.routes[0].legs[0].duration.text;
 console.log(duration);
 });
};

function show(b){
 fs.writeFile('testing.txt',b);
};


function uploader(i){
 if( i < arr.length ){
   show( arr[i],function(){
   uploader(i+1);
   });
 }
}
uploader(0)

我遇到的问题是仅输出数组中的第一个城市,并且回调/迭代永远不会进行。请问我哪里出错了?  

4

2 回答 2

17

感谢您的指点,这显然是由于我对 javascript 中的回调理解不佳。只需阅读 O'Reilly 的 JavaScript 模式并点击“回调模式”部分 - 哦!

对于任何不知道的人,这就是代码的工作方式:

var arr = ['glasgow','preston','blackpool','chorley','newcastle','bolton','paris','york','doncaster'];

function show(a,callback){
    console.log(a);
    callback();
}

function uploader(i){
  if( i < arr.length ){
    show(arr[i],
         function(){
          uploader(i+1)
         });
   };
}
uploader(0) 
于 2012-04-18T19:31:27.030 回答
12

我也遇到过这样的问题,所以我编写了一个递归回调函数,它将充当一个 for 循环,但您可以控制何时递增。以下是该模块,名称为syncFor.js并将其包含在您的程序中

module.exports = function syncFor(index, len, status, func) {
    func(index, status, function (res) {
        if (res == "next") {
            index++;
            if (index < len) {
                syncFor(index, len, "r", func);
            } else {
                return func(index, "done", function () {
                })
            }
        }
    });
}

//this will be your program if u include this module
var request = require('request');
var fs = require('fs');
var arr = ['glasgow', 'preston', 'blackpool', 'chorley', 'newcastle', 'bolton', 'paris', 'york', 'doncaster'];
var syncFor = require('./syncFor'); //syncFor.js is stored in same directory
//the following is how u implement it

syncFor(0, arr.length, "start", function (i, status, call) {
    if (status === "done")
        console.log("array iteration is done")
    else
        getTravelTime(arr[i], "whatever", function () {
            call('next') // this acts as increment (i++)
        })
})


function getTravelTime(a, b, callback) {
    request('https://maps.googleapis.com/maps/api/directions/json?origin=' + a + '&destination=' + b + '&region=en&sensor=false', function (err, res, data) {
        var foo = JSON.parse(data);
        var duration = foo.routes[0].legs[0].duration.text;
        callback(); // call the callback when u get answer
        console.log(duration);
    });
};
于 2012-12-11T12:29:29.040 回答