在Javascript中循环使用回调

时间:2013-08-09 23:04:04

标签: javascript node.js twitter twitter-oauth

我正在尝试使用node-oauth https://dev.twitter.com/docs/misc/cursoring编写带有javascript的https://github.com/ciaranj/node-oauth给出的伪代码。但是我担心由于回调函数的性质,游标永远不会分配给next_cursor,循环只会永远运行。谁能想到解决这个问题?

module.exports.getFriends = function (user ,oa ,cb){
  var friendsObject = {};
  var cursor = -1 ;
  while(cursor != 0){
    console.log(cursor);
      oa.get(
        'https://api.twitter.com/1.1/friends/list.json?cursor=' + cursor + '&skip_status=true&include_user_entities=false'
        ,user.token //test user token
        ,user.tokenSecret, //test user secret
        function (e, data, res){
          if (e) console.error(e);
          cursor = JSON.parse(data).next_cursor;
          JSON.parse(data).users.forEach(function(user){
            var name = user.name;
            friendsObject[name + ""] = {twitterHandle : "@" + user.name, profilePic: user.profile_image_url};
          });        
          console.log(friendsObject);   
        }
      );
    }  
  }

2 个答案:

答案 0 :(得分:5)

假设你的代码包含在一个函数中,我将其称为getFriends,基本上它将所有内容包装在循环中。

function getFriends(cursor, callback) {
  var url = 'https://api.twitter.com/1.1/friends/list.json?cursor=' + cursor + '&skip_status=true&include_user_entities=false'
  oa.get(url, user.token, user.tokenSecret, function (e, data, res) {
    if (e) console.error(e);
    cursor = JSON.parse(data).next_cursor;
    JSON.parse(data).users.forEach(function(user){
      var name = user.name;
      friendsObject[name + ""] = {twitterHandle : "@" + user.name, profilePic: user.profile_image_url};
    });        
    console.log(friendsObject);
    callback(cursor); 
  });
}

在nodejs中,所有io都是异步完成的,因此在实际更改cursor之前,你需要循环比实际需要多得多,你需要的只是在你收到来自Twitter API的响应时循环,你可以做点什么像这样:

function loop(cursor) {
  getFriends(cursor, function(cursor) {
    if (cursor != 0) loop(cursor);
    else return;
  });
}

你可以通过调用loop(-1)来启动它,当然这只是一种方法。

如果您愿意,可以使用外部库,例如async

答案 1 :(得分:1)

我强烈建议您使用async。它适用于像您这样的情况,并为您处理并发和执行。你最终会写出与async完全相同的东西,只有你的东西不会被测试。