我想要从AngularJS服务调用REST API,如下所示:
angular.module('myModule').service('MyApi', ['$http', function($http) {
return ({
resources: resources,
details: details
});
function resources() {
return $http.jsonp('/api/resources');
}
function details(key) {
return $http.jsonp('/api/details/' + id);
}
}]);
还删除了其他实施细节,例如认证不重要。 API由第三方提供,因此我无法更改它。
GET /api/resources
返回类似的内容:
[{ "key": "one" }, { "key": "two" }]
GET /api/details/one
返回类似的内容:
{ "count": 5 }
然后我有一个控制器,我想调用MyApi.resources()
,等待结果,然后为每个结果调用MyApi.details(resource)
。当对MyApi.details(resource)
的最终调用完成时,我想运行一个函数来聚合一组详细信息中的一些结果,但我不知道如何在最后触发它。
我的控制器目前看起来像这样:
angular.module('myModule').controller('MyCtrl', ['$scope', 'MyApi', function($scope, MyApi) {
$scope.results = new Array();
MyApi.resources().then(function(response) {
var resources = response.data;
var length = resources.length;
for (var i = 0; i < length; i++) {
MyApi.details(resources[i].key).then(function(response) {
$scope.results.push(response.data.count);
});
}
});
// how do I get this line to run only after all the results are returned?
$scope.total = $scope.results.reduce(function(a, b) { return a + b; }, 0);
}]);
最后实现聚合的最佳方法是什么?
答案 0 :(得分:13)
您可以使用延迟功能 $ q.all 。
angular.module('myModule').controller('MyCtrl', ['$scope', 'MyApi', '$q', function($scope, MyApi, $q) {
$scope.results = new Array();
MyApi.resources().then(function(response) {
var resources = response.data;
var length = resources.length;
var defer = $q.defer();
var promises = [];
angular.forEach(resources, function(value) {
promises.push(MyApi.details(resources[i].key));
});
$q.all(promises).then(function() {
$scope.total = $scope.results.reduce(function(a, b) { return a + b; }, 0);
});
}
});
答案 1 :(得分:1)
在你的第一个.then内部,创建一个promise并将循环中的所有请求链接起来,然后返回它。然后,您可以使用.then在完成后运行代码。
angular.module('myModule').controller('MyCtrl', ['$scope', 'MyApi', function($scope, MyApi) {
$scope.results = new Array();
MyApi.resources().then(function(response) {
var resources = response.data;
var length = resources.length;
var promise;
function getDetails(key) {
return function () {
MyApi.details(key).then(function(response) {
$scope.results.push(response.data.count);
})
};
}
for (var i = 0; i < length; i++) {
if (i === 0) {
promise = getDetails(resources[i].key)();
} else {
promise.then(getDetails(resources[i].key));
}
}
return promise;
}).then(function () {
$scope.total = $scope.results.reduce(function(a, b) { return a + b; }, 0);
});
}]);
答案 2 :(得分:1)
两种方式:
$ q service
使用$ q.all()来表达你所有的细节承诺
承诺链
仅在前一个细节得到解决时才调用下一个详细信息