显示多个API调用的结果

时间:2016-04-03 21:26:03

标签: javascript json node.js rest backend

我正在对后端服务器进行两次API调用,我使用以下方法在json中向用户显示两个响应。但是,根据控制台,警报2未定义' ;和警报1工作。我做错了什么?

app.get("/blah", function (req, res) {

    var alert = 'api call for alert' 
    var alert2 = 'api call for alert 2' 


    request(alert, alert2, function (error, response, alert, alert2) { 

        console.log(alert); 
        console.log(alert2);

        res.json({
            Alert: alert,
            Alert2: alert2
        });
    });
});

1 个答案:

答案 0 :(得分:1)

这是因为请求不允许以这种方式从一个调用异步发出多个请求。

异步实现此方法的一种方法是使用异步模块中的async.parallel。

但是,为了简单起见,我将提供一个不需要异步模块的示例,而是以串行方式工作。

这不是最有效的方法,因为在您的示例中,第二个请求不需要先完成第一个请求。

app.get("/blah", function (req, res) {

    var alert = 'api call for alert' 
    var alert2 = 'api call for alert 2' 

   request(alert, function (error, response, alert) { 

        console.log(alert);

        request(alert2, function (error, response, alert2) { 
            console.log(alert2);

            res.json({
                Alert: alert,
                Alert2: alert2
            });
        });
    });
});

异步示例(https://github.com/caolan/async):

app.get("/blah", function (req, res) {

    var alert = 'api call for alert' 
    var alert2 = 'api call for alert 2'

    async.parallel([
        function(callback) {
            request(alert, function (error, response, alert) {
                if(error) {
                    callback(error);
                } else {
                    callback(null, alert);
                }
            });
        },

        function(callback) {
            request(alert2, function (error, response, alert2) {
                if(error) {
                    callback(error);
                } else {
                    callback(null, alert2);
                }
            });
        }
    ], function(err, results) {
        res.json({
            Alert: results[0],
            Alert2: results[1]
        });
    });
});