我从服务器获取此数组:
[{
"res_id": 0,
"res_name": "string",
"res_desc": "string",
"res_address": "string"
},
etc
]
我必须在地图上显示一个标记列表,因此我将我的restos映射到标记中以填充坐标,第一个问题是我从服务器获取的数据及其地址,因此我打电话:
restos.forEach(x => FetchGeocoder(x.res_address));
然后使用地址解析器获取
:const FetchGeocoder = async (address) => {
const response = await fetch('https://maps.googleapis.com/maps/api/geocode/json?address=' +
address + ',' +
'CABA&key=' + "KEY")
const responseData = await response.json();
const markers = responseData.results[0].geometry.location;
restos.forEach(x => {
x.res_coords = {
latitude: markers.lat,
longitude: markers.lng
}
});
};
我无法解决的问题是,我得到3个coords对象,因为我的数组中有3个restos,但是只有1个coords对象分配给了我的所有restos,而不是将每个coords分配给正确的resto。 / p>
在此先感谢您的帮助或帮助!
答案 0 :(得分:1)
一个选择是在fetchGeocode()
数组的每次迭代期间使用async/await来执行异步函数调用(即对restos
的调用)。
例如,您可以修改代码以使用以下(或类似的)模式:
/* Define async fetchGeocode() function that returns lat/lng data */
const fetchGeocode = async (address) => {
const res = await fetch('https://maps.googleapis.com/maps/api/geocode/json' +
'?address=' + address + ',CABA&key=' + API_KEY);
const json = await res.json();
const { lat, lng } = json.results[0].geometry.location;
return {
latitude: lat,
longitude: lng
};
};
// Async function adds coords to each resto
async function addCoordsToRestos(restos) => {
// If restos undefined, or not an iterable array type then return
// an empty array as a default response
if(!Array.isArray(restos)) {
return [];
}
// Iterate each resto
for (const resto of restos) {
// Mutate current resto by adding res_coords. Call fetchGeocode()
// with await to wait for async function to complete before next
// iteration
resto.res_coords = await fetchGeocode(resto.res_address);
}
// Return mutated restos array to next handler
return restos
}
用法如下:
// If called inside an async function
await addCoordsToRestos( restos );
或者:
// If called as a promise
addCoordsToRestos( restos ).then(() => { console.log('done') });