我有一个用ngResource定义的工厂:
App.factory('Account', function($resource) {
return $resource('url', {}, {
query: { method: 'GET' }
});
});
我正在多次调用此工厂上定义的查询方法。调用可以异步发生,但我需要等待两个调用完成才能继续:
App.controller('AccountsCtrl', function ($scope, Account) {
$scope.loadAccounts = function () {
var billingAccounts = Account.query({ type: 'billing' });
var shippingAccounts = Account.query({ type: 'shipping' });
// wait for both calls to complete before returning
};
});
对于使用ngResource定义的AngularJS工厂,有没有办法做到这一点,类似于jQuery的$ .when()。then()功能?我不想将jQuery添加到我当前的项目中。
答案 0 :(得分:194)
您需要使用promises和$q.all()。
基本上,您可以使用它来包装所有$ resource或$ http调用,因为它们会返回promises。
function doQuery(type) {
var d = $q.defer();
var result = Account.query({ type: type }, function() {
d.resolve(result);
});
return d.promise;
}
$q.all([
doQuery('billing'),
doQuery('shipping')
]).then(function(data) {
var billingAccounts = data[0];
var shippingAccounts = data[1];
//TODO: something...
});
答案 1 :(得分:19)
我认为更好的解决方案是:
$q.all([
Account.query({ type: 'billing' }).$promise,
Account.query({ type: 'shipping' }).$promise
]).then(function(data) {
var billingAccounts = data[0];
var shippingAccounts = data[1];
//TODO: something...
});
答案 2 :(得分:12)
Ben Lesh的解决方案是最好的,但它并不完整。如果您需要处理错误条件 - 是的,那么,您必须在promise API上使用catch
方法,如下所示:
$q.all([
doQuery('billing'),
doQuery('shipping')
]).then(function(data) {
var billingAccounts = data[0];
var shippingAccounts = data[1];
//TODO: something...
}).catch(function(data) {
//TODO: handle the error conditions...
}).finally(function () {
//TODO: do final clean up work, etc...
});
如果您没有定义catch
且所有承诺都失败,那么then
方法将永远不会执行,因此可能会使您的界面处于错误状态。