Node JS Promise.all 和 forEach

2022-08-30 02:41:36

我有一个类似数组的结构,它公开了异步方法。异步方法调用返回数组结构,而这些数组结构又公开更多的异步方法。我正在创建另一个JSON对象来存储从此结构获得的值,因此我需要小心跟踪回调中的引用。

我已经编写了一个蛮力解决方案,但我想学习一个更习惯或更干净的解决方案。

  1. 对于 n 级嵌套,该模式应该是可重复的。
  2. 我需要使用 promise.all 或一些类似的技术来确定何时解决封闭例程。
  3. 并非每个元素都必然涉及进行异步调用。因此,在嵌套 promise.all 中,我不能简单地根据索引对我的 JSON 数组元素进行分配。尽管如此,我确实需要在嵌套的 forEach 中使用类似 promise.all 的东西,以确保在解析封闭例程之前已经完成了所有属性赋值。
  4. 我正在使用蓝鸟承诺库,但这不是必需的

下面是一些部分代码 -

var jsonItems = [];

items.forEach(function(item){

  var jsonItem = {};
  jsonItem.name = item.name;
  item.getThings().then(function(things){
  // or Promise.all(allItemGetThingCalls, function(things){

    things.forEach(function(thing, index){

      jsonItems[index].thingName = thing.name;
      if(thing.type === 'file'){

        thing.getFile().then(function(file){ //or promise.all?

          jsonItems[index].filesize = file.getSize();

答案 1

通过一些简单的规则,这非常简单:

  • 每当你在一个承诺中创造一个承诺时,就把它归还——任何你不归还的承诺都不会被外面等待。
  • 每当您创建多个承诺时,.all 它们 - 这样它就会等待所有承诺,并且其中任何一个都没有错误被静音。
  • 每当你嵌套然后s时,你通常可以在中间返回 - 链通常最多1级深。then
  • 每当您执行IO时,它都应该带有承诺 - 它应该在承诺中,或者它应该使用承诺来表示其完成。

还有一些提示:

  • 使用 .map 比使用 for/push 更好地完成映射 - 如果您使用函数映射值,则可以简明扼要地表达逐个应用操作并聚合结果的概念。map
  • 如果并发是免费的,则并发性比顺序执行更好 - 最好并发执行并等待它们,而不是一个接一个地执行 - 每个都先等待下一个。Promise.all

好了,让我们开始吧:

var items = [1, 2, 3, 4, 5];
var fn = function asyncMultiplyBy2(v){ // sample async action
    return new Promise(resolve => setTimeout(() => resolve(v * 2), 100));
};
// map over forEach since it returns

var actions = items.map(fn); // run the function over all items

// we now have a promises array and we want to wait for it

var results = Promise.all(actions); // pass array of promises

results.then(data => // or just .then(console.log)
    console.log(data) // [2, 4, 6, 8, 10]
);

// we can nest this of course, as I said, `then` chains:

var res2 = Promise.all([1, 2, 3, 4, 5].map(fn)).then(
    data => Promise.all(data.map(fn))
).then(function(data){
    // the next `then` is executed after the promise has returned from the previous
    // `then` fulfilled, in this case it's an aggregate promise because of 
    // the `.all` 
    return Promise.all(data.map(fn));
}).then(function(data){
    // just for good measure
    return Promise.all(data.map(fn));
});

// now to get the results:

res2.then(function(data){
    console.log(data); // [16, 32, 48, 64, 80]
});

答案 2

下面是一个使用 reduce 的简单示例。它连续运行,维护插入顺序,并且不需要 Bluebird。

/**
 * 
 * @param items An array of items.
 * @param fn A function that accepts an item from the array and returns a promise.
 * @returns {Promise}
 */
function forEachPromise(items, fn) {
    return items.reduce(function (promise, item) {
        return promise.then(function () {
            return fn(item);
        });
    }, Promise.resolve());
}

并像这样使用它:

var items = ['a', 'b', 'c'];

function logItem(item) {
    return new Promise((resolve, reject) => {
        process.nextTick(() => {
            console.log(item);
            resolve();
        })
    });
}

forEachPromise(items, logItem).then(() => {
    console.log('done');
});

我们发现将可选上下文发送到循环中很有用。上下文是可选的,并由所有迭代共享。

function forEachPromise(items, fn, context) {
    return items.reduce(function (promise, item) {
        return promise.then(function () {
            return fn(item, context);
        });
    }, Promise.resolve());
}

您的 promise 函数将如下所示:

function logItem(item, context) {
    return new Promise((resolve, reject) => {
        process.nextTick(() => {
            console.log(item);
            context.itemCount++;
            resolve();
        })
    });
}