我遇到了类似的事情,也许会有所帮助。
我需要通过 AJAX 调用来处理一棵树,以构建一个代表整个树的对象。当我进行 AJAX 调用时,它会给我有关子节点的数据,然后我必须进行 AJAX 调用以获取它们的数据。我需要在渲染它之前拥有整个树,所以我需要知道我什么时候完成。
$q.all 的问题是,是的,您可以向它传递一个 Promise 数组,但是即使您稍后向该数组添加更多 Promise,该数组也是固定的。
我的(诚然 hacky)解决方案是跟踪未答复请求的数量,如果有未解决的请求,则重做 $q.all。
var promisesArr = [];
var unresolved = 0;
function getChildNodes(node) {
var url = BASE_URL + '/' + node.id;
var prom = $q(function (resolve, reject) {
unresolved++;
$http.get(url).then(function (resp) {
angular.forEach(resp.data.children, function(v){
var newNode = {};
newNode.id = v.id;
getChildNodes(newNode);
node.children.push(newNode);
});
resolve();
unresolved--;
}, function () {
// Need to handle error here
console.log('ERROR');
reject();
unresolved--;
})
});
promisesArr.push(prom);
}
rootNode = {id: 1}
getChildNodes(rootNode);
allResolved();
function allResolved() {
if (unresolved > 0) {
$q.all(promisesArr).then(allResolved);
} else {
RenderTree(rootNode);
}
}