コントローラーに注入されるpaymentStrategyというサービスがあります。
$scope.buy = function() {
paymentStrategy.buy()
.then(function(response) {
}
}
PaymentStrategyからのこの購入メソッドは、連続して呼び出す必要があるいくつかのメソッドをトリガーします。 buy()内のすべてのメソッドが完了すると、then()を呼び出す必要があります。
それはおそらく些細なことですが、私は角度にかなり新しいです。
現時点では、init()メソッドの直後にbuy()。then()がトリガーされます。これらすべてのメソッドをpromiseの配列に入れて、$ q.all()を適用する必要があると感じています。
どんな助けや提案も大歓迎です
angular.module('deps-app.payment.services', []).
factory('paymentStrategy', function($q) {
var deferred = $q.defer();
var ITEM_TO_PURCHASE = "test.beer.managed";
var promises = [];
var handlerSuccess = function(result) {
deferred.resolve(result);
};
var handlerError = function(result) {
deferred.reject(result);
};
_init = function() {
inappbilling.init(handlerSuccess, handlerError, { showLog:true });
return deferred.promise;
}
_purchase = function() {
inappbilling.buy(handlerSuccess, handlerError, ITEM_TO_PURCHASE);
return deferred.promise;
}
_consume = function() {
inappbilling.consumePurchase(handlerSuccess, handlerError, ITEM_TO_PURCHASE);
return deferred.promise;
}
return {
buy: function() {
_init();
.then(_purchase());
.then(_consume());
return deferred.promise;
}
}
});
独自のプロミスを追加して、すべてのメソッドを原子化する。コードでは、最初のresolve
がリクエスト全体を完了します。
メソッドに独自の約束がある場合、簡単にチェーンできます。
angular.module('deps-app.payment.services', []).factory('paymentStrategy', function($q) {
var ITEM_TO_PURCHASE = "test.beer.managed";
_init = function() {
return $q(function (resolve, reject) {
inappbilling.init(resolve, reject, { showLog: true });
});
};
_purchase = function() {
return $q(function (resolve, reject) {
inappbilling.buy(resolve, reject, ITEM_TO_PURCHASE);
});
};
_consume = function() {
return $q(function (resolve, reject) {
inappbilling.consumePurchase(resolve, reject, ITEM_TO_PURCHASE);
});
};
return {
// In this case, you don't need to define a additional promise,
// because placing a return in front of the _init, will already return
// the promise of _consume.
buy: function() {
return _init()
.then(_purchase)
// remove () from inside the callback, to pass the actual method
// instead the result of the invoked method.
.then(_consume);
}
};
});
Angular=で順番にプロミスをチェーンする必要がある場合は、あるプロミスから別のプロミスに単純に戻すことができます。
callFirst()
.then(function(firstResult){
return callSecond();
})
.then(function(secondResult){
return callThird();
})
.then(function(thirdResult){
//Finally do something with promise, or even return this
});
そして、これらすべてをAPIとして返したい場合:
function myMethod(){
//Return the promise of the entire chain
return first()
.then(function(){
return second();
}).promise;
}