在ES6 / Typescript中链接承诺

时间:2016-09-28 02:15:05

标签: javascript typescript ecmascript-6 es6-promise fetch-api

我需要链接promises以发出几个GET请求,并在将数据用于其他地方之前将其合并。我很难解决这两个承诺。在尝试使用.json()之前,我已尝试返回两个promise的数组,但这也不起作用。

activate() {

    // data is from http://jsonplaceholder.typicode.com/photos and
    // since there is not a photos2/ endpoint this is conceptual and 
    // represents batch importng
    return Promise.all([
        this.http.fetch('photos'),
        this.http.fetch('photos2')
    ]).then(responses => {

        console.log(responses); // see block of code below this for output

        // how can I combine the two promises here so I can resolve them with 'then' below?
        return responses[0].json(); // can return one response
        // return responses; //  doesn't work

    }).then(data => {
        console.log(data);
        this.photos = data;

    }).catch(err => {
        console.log(err);
    });
}

console.log的输出(响应); :

[Response, Response]
0: Response
body: (...) // readablebytestream
bodyUsed : false
headers : Headers
ok : true
status : 200
statusText : "OK"
type : "cors"
url : "http://jsonplaceholder.typicode.com/photos"
__proto__ : Object
1 : Response
 ....etc

谢谢!

2 个答案:

答案 0 :(得分:5)

你似乎在寻找

return Promise.all([responses[0].json(), responses[1].json()]);

或者只是做

this.photos = Promise.all([
    this.http.fetch('photos').then(response => response.json()),
    this.http.fetch('photos2').then(response => response.json())
])

答案 1 :(得分:1)

您可以从响应中提取所需的json数据,并通过映射将它们发送到下一个promise:

activate() {
    return Promise.all([
        this.http.fetch('photos'),
        this.http.fetch('photos2')
    ]).then(responses => {

        // this will send the actual json data 
        // you want to the next chained promise
        return responses.map(response => response.json())

    }).then(data => {

        // data is now an array of the the json objects 
        // you are trying to get from the requests
        console.log(data);
        this.photos = data;

    }).catch(err => {
        console.log(err);
    });
}

第一个承诺(在Promise.all中)将发送请求。在第一个.then中,responses将是一个响应数组。由于您需要来自回复的实际数据,因此您可以map超过responses来获取所需的数据。由于这会返回,它将被传递到下一个.then。此时,data将是一个包含您希望从响应中获取的数据的数组。

然后由您决定要对此数据执行什么操作。如果你想把它们“组合”成一个对象,那么有很多方法可以解决它(我可能会使用数组reduce函数,但这取决于数据的结构和你想要的东西。