2

给定以下代码

class SomeClass {
  async someFunc() {
    const urlParameters = [0, 1, 2];
    const batchAjaxResult = await urlParameters.map((parameter) => { 
        const result = await $.get(`someUrl/${parameter}`);
        return {
          parameter,
          result
        }
     });

  console.log(batchAjaxResult);

  }
}

JavaScript 将返回一个已解析的 Promises 数组,而不是实际的 Promises 结果。

这可能是由于Array.map()没有作为 Promise 实现。

是否有基于 Promise 的版本Array.map

这个问题不同于如何从异步调用返回响应,因为它是关于如何返回包装在里面的批处理响应Array.map

4

2 回答 2

3

You could use this simple function which chains the promises to achieve sequential execution:

function asyncMap(arr, mapper) {
  var q = Promise.resolve();
  return Promise.all(arr.map(v => q = q.then(() => mapper(v))));
}


// Usage

asyncMap([1, 2, 3], v => {
  return new Promise(resolve => {
    console.log("Start " + v);
    setTimeout(() => {
      console.log("End " + v);
      resolve("foo" + v);
    }, 500);
  });
}).then(a => console.log(a));

于 2016-08-01T09:45:24.037 回答
2

通过写这个问题,我设法找到了问题的根源。

好像蓝鸟有这样一个功能叫Promise.map

类似地,有一个称为Promise.all“批量承诺”的本机实现

我将代码更改如下,它正在工作:

class SomeClass {
  async someFunc() {
      const urlParameters = [0, 1, 2];
      const batchAjaxResult = await Promise.all(
          urlParameters.map(async (parameter) => {
            const result = await $.get(`someUrl/${parameter}`);
            return {
              parameter,
              result
            }
         })
      );
      console.log(batchAjaxResult);

  }
}
于 2016-08-01T09:17:26.647 回答