我正在尝试将从数据库中获取的数据插入到json变量中,然后将其发送到客户端,问题在于,当我从数据库异步获取所有数据时,我不知道何时该数据json正确填充。
var geojson={ "type": "FeatureCollection",
"features": []
};
var routeObjects=JSON.parse(route.route);
for(var i=0;i<routeObjects.length;i++){
hostelery.getInfo(routeObjects[i].ID, function(err, hostelery){
if(!err) geojson.features.push(hostelery);
});
}
因此,当所有数据都在geojson中时,我想将其发送回客户端...
任何帮助将不胜感激......
非常感谢。
答案 0 :(得分:3)
如果您真正想要做的就是知道何时完成了一堆异步操作,有多种方法可以解决这个问题。
一种方法是简单地保留所有异步操作完成时的计数,然后在该计数达到其终值时执行您想要的任何操作:
var geojson = {
"type": "FeatureCollection",
"features": []
};
var doneCount = 0;
var routeObjects = JSON.parse(route.route);
for (var i = 0; i < routeObjects.length; i++) {
hostelery.getInfo(routeObjects[i].ID, function (err, hostelery) {
if (!err) geojson.features.push(hostelery);
++doneCount;
if (doneCount === routeObjects.length) {
// all async operations are done now
// all data is in geojson.features
// call whatever function you want here and pass it the finished data
}
});
}
如果您的API支持promises,或者您可以“宣传”API以使其支持承诺,那么promises是一种更现代的方式,可在一个或多个异步操作完成时收到通知。这是一个承诺实施:
首先,宣传异步操作:
hostelery.getInfoAsync = function(id) {
return new Promise(function(resolve, reject) {
hostelery.getInfo(id, function(err, data) {
if (err) return reject(err);
resolve(data);
});
});
}
然后,您可以使用Promise.all()
:
var geojson = {
"type": "FeatureCollection",
"features": []
};
var routeObjects = JSON.parse(route.route);
Promise.all(routeObjects.map(function(item) {
return hostelery.getInfoAsync(item.ID).then(function(value) {
geojson.features.push(value);
}).catch(function(err) {
// catch and ignore errors so processing continues
console.err(err);
return null;
});
})).then(function() {
// all done here
});
由于看起来您正在使用node.js,因此还有许多异步库可提供用于管理异步操作的各种功能。 Async.js就是这样一个图书馆。