Execute native js promise in series

前端 未结 1 1822
孤街浪徒
孤街浪徒 2020-12-19 05:41

I have to call a promise for some async task for each item in an array but I would like to execute these serially.

Promise.all is useful only to have a new promise t

相关标签:
1条回答
  • 2020-12-19 06:10

    You chain promises using .then() with a callback that returns another promise. So, let's say you have three functions a, b and c that all return a promise. You can chain them (execute in sequence) like this:

    a().then(b).then(c).then(function(result) {
       // all are done here
    });
    

    If you are processing an array and you have a promise-returning function myFunc that you want to call for each item in the array, you can use a standard design pattern for arrays and promises with .reduce() to walk through the array one item at a time like this:

    var items = [...];
    
    items.reduce(function(p, item) {
        return p.then(function() {
            return myFunc(item);
        });
    }, Promise.resolve());
    

    As it turns out this is really just chaining a bunch of .then() handlers like in the first example, but using the structure of .reduce() to walk the array for you.


    Starting with ES2017, you can also use async/await to serially process an array like this:

    async function processArray(arr) {
        for (let item of arr) {
            let result = await somePromiseReturningFunc(item);
            // do something with result here before
            // going on to next array item
        }
        return someFinalResult;
    }
    
    processArray(someArray).then(result => {
        // done processing array here
    }).catch(err => {
        // handle error here
    });
    
    0 讨论(0)
提交回复
热议问题