一系列的承诺

use*_*559 1 javascript jquery closures asynchronous promise

我正在研究一个必须从不同城市的 API 获取 json 数据并构建 DOM 的部分。

到目前为止,我已经能够做到这两点。唯一的问题是不同城市的 API 响应时间不同。因此,当我构建 DOM 时,它们的顺序与我调用函数的顺序不同。据我回忆,我需要使用 promise 来获得该订单。我现在的问题是:

  1. 我如何使用一系列承诺(因为我的输入会有所不同)。
  2. 另外我如何执行一系列承诺?

到目前为止我的工作代码:

var base_path = "https://www.example.com/";
var cities = [
   "San_Francisco",
    "Miami",
    "New_Orleans",
    "Chicago",
    "New_York_City"
];


function getData(city){
    var path =  base_path+city+".json";

    $.getJSON(path,function(data) {
     // build DOM
    });
}

for(var i=0;i<cities.length;i++) {
    getData(cities[i]);  
}
Run Code Online (Sandbox Code Playgroud)

谢谢!

Sve*_*ven 5

这很容易实现Promise.all()

const base_path = "https://www.example.com/"
let cities = [
  "San_Francisco",
  "Miami",
  "New_Orleans",
  "Chicago",
  "New_York_City"
]

Promise.all(cities.map((city) => {
  return fetch(`${base_path}${city}.json`).then(res => res.json())
})).then((data) => {
  // Data is an array of all responses in the same order as the cities array
}).catch((err) => {
  // A request failed, handle the error
})
Run Code Online (Sandbox Code Playgroud)

data保留数组顺序的原因是因为Promise.all()保留了与原始承诺数组相同的顺序。请求是并行执行的。我在这里使用了Fetch API而不是 jQuery。