如何循环请求 - 承诺API请求调用?

时间:2016-09-15 08:54:42

标签: javascript node.js api request promise

我正在学习Node.JS,我被介绍到request-promise包。我用它来进行API调用,但是我遇到了一个问题,我无法对其应用循环。

这是一个显示简单API调用的示例:

var read_match_id = {
    uri: 'https://api.steampowered.com/IDOTA2Match_570/GetMatchHistory/V001',
    qs: {
        match_id: "123",
        key: 'XXXXXXXX'
    },
    json: true
};

rp(read_match_id)
.then(function (htmlString) {
    // Process html...
})
.catch(function (err) {
    // Crawling failed...
});

我怎么能有这样的循环:

 var match_details[];
 for (i = 0; i < 5; i++) {
     var read_match_details = {
              uri: 'https://api.steampowered.com/IDOTA2Match_570/GetMatchDetails/V001',
            qs: {
                  key: 'XXXXXXXXX',
                  match_id: match_id[i]
                },
            json: true // Automatically parses the JSON string in the response 
    };
    rp(read_match_details)
       .then (function(read_match){
            match_details.push(read_match)//push every result to the array
        }).catch(function(err) {
            console.log('error');
        });
    }

我怎么知道所有异步请求何时完成?

1 个答案:

答案 0 :(得分:5)

request-promise使用Bluebird for Promise。

简单的解决方案是Promise.all(ps),其中ps是承诺数组。

var ps = [];
for (var i = 0; i < 5; i++) {
    var read_match_details = {
        uri: 'https://api.steampowered.com/IDOTA2Match_570/GetMatchDetails/V001',
        qs: {
            key: 'XXXXXXXXX',
            match_id: match_id[i]
        },
        json: true // Automatically parses the JSON string in the response 
    };
    ps.push(rp(read_match_details));
}

Promise.all(ps)
    .then((results) => {
        console.log(results); // Result of all resolve as an array
    }).catch(err => console.log(err));  // First rejected promise

唯一的缺点是,这将在任何承诺被拒绝后立即进行阻止。 4/5已经解决,赢了,1被拒绝将全部抓住。

替代方法是使用Bluebird的检查(refer this)。我们会将所有承诺映射到他们的反思,我们可以对每个承诺进行if / else分析,并且即使任何承诺被拒绝也会有效

// After loop
ps = ps.map((promise) => promise.reflect()); 

Promise.all(ps)
    .each(pInspection => {
        if (pInspection.isFulfilled()) {
            match_details.push(pInspection.value())
        } else {
            console.log(pInspection.reason());
        }
    })
    .then(() => callback(match_details)); // Or however you want to proceed

希望这能解决您的问题。