先說說什麼是Promise,什麼是$q吧。Promise是一種異步處理模式,有不少的實現方式,好比著名的Kris Kwal's Q還有JQuery的Deffered。javascript
之前瞭解過Ajax的都能體會到回調的痛苦,同步的代碼很容易調試,可是異步回調的代碼,會讓開發者陷入泥潭,沒法跟蹤,好比:html
funA(arg1,arg2,function(){ funcB(arg1,arg2,function(){ funcC(arg1,arg2,function(){ xxxx.... }) }) })
自己嵌套就已經很不容易理解了,加上不知什麼時候才觸發回調,這就至關於雪上加霜了。java
可是有了Promise這種規範,它能幫助開發者用同步的方式,編寫異步的代碼,好比在AngularJS中可使用這種方式:angularjs
deferABC.resolve(xxx)
.then(funcSuccess(){},funcError(){},funcNotify(){});
當resolve內的對象成功執行,就會觸發funcSuccess,若是失敗就會觸發funcError。有點相似數組
deferABC.resolve(function(){ Sunccess:funcSuccess, error:funcError, notify:funcNotify })
再說的直白點,Promise就是一種對執行結果不肯定的一種預先定義,若是成功,就xxxx;若是失敗,就xxxx,就像事先給出了一些承諾。promise
好比,小白在上學時很懶,平時總讓舍友帶飯,而且事先跟他說好了,若是有韭菜雞蛋就買這個菜,不然就買西紅柿炒雞蛋;不管買到買不到都要記得帶包煙。app
小白讓舍友帶飯()
.then(韭菜雞蛋,西紅柿炒雞蛋) .finally(帶包煙)
q服務是AngularJS中本身封裝實現的一種Promise實現,相對與Kris Kwal's Q要輕量級的多。
先介紹一下$q經常使用的幾個方法:異步
在Promise中,定義了三種狀態:等待狀態,完成狀態,拒絕狀態。函數
在$q中,可使用resolve方法,變成完成狀態;使用reject方法,變成拒絕狀態。測試
下面看看 $q
的簡單使用:
<html ng-app="myApp"> <head> <meta http-equiv="Content-Type" content="text/html; charset=utf-8" /> <script src="http://apps.bdimg.com/libs/angular.js/1.2.16/angular.min.js"></script> </head> <body> <div ng-controller="myctrl"> {{test}} </div> <script type="text/javascript"> var myAppModule = angular.module("myApp",[]); myAppModule.controller("myctrl",["$scope","$q",function($scope, $ q ){ $scope.test = 1;//這個只是用來測試angularjs是否正常的,沒其餘的做用 var defer1 = $q.defer(); var promise1 = defer1.promise; promise1 .then(function(value){ console.log("in promise1 ---- success"); console.log(value); },function(value){ console.log("in promise1 ---- error"); console.log(value); },function(value){ console.log("in promise1 ---- notify"); console.log(value); }) .catch(function(e){ console.log("in promise1 ---- catch"); console.log(e); }) .finally(function(value){ console.log('in promise1 ---- finally'); console.log(value); }); defer1.resolve("hello"); // defer1.reject("sorry,reject"); }]); </script> </body> </html>
其中defer()用於建立一個deferred對象,defer.promise用於返回一個promise對象,來定義then方法。then中有三個參數,分別是成功回調、失敗回調、狀態變動回調。
其中resolve中傳入的變量或者函數返回結果,會看成第一個then方法的參數。then方法會返回一個promise對象,所以能夠寫成
xxxx .then(a,b,c) .then(a,b,c) .then(a,b,c) .catch() .finally()
繼續說說上面那段代碼,then...catch...finally能夠想一想成java裏面的try...catch...finally。
這個all()方法,能夠把多個primise的數組合併成一個。當全部的promise執行成功後,會執行後面的回調。回調中的參數,是每一個promise執行的結果。
當批量的執行某些方法時,就可使用這個方法。
var funcA = function(){ console.log("funcA"); return "hello,funA"; } var funcB = function(){ console.log("funcB"); return "hello,funB"; } $q.all([funcA(),funcB()]) .then(function(result){ console.log(result); });
執行的結果:
funcA
funcB
Array [ "hello,funA", "hello,funB" ]
when方法中能夠傳入一個參數,這個參數多是一個值,多是一個符合promise標準的外部對象。
var funcA = function(){ console.log("funcA"); return "hello,funA"; } $q.when(funcA()) .then(function(result){ console.log(result); });
當傳入的參數不肯定時,可使用這個方法。
hello,funA