這是一篇簡單的短文章,方便理解。html
開局先丟官宣:sec-async-function-definitions 這個連接是對 await 的解釋,解釋了它的執行。前端
await 的執行意味着(官宣巴拉巴拉地說了14點,這裏簡化成2點):node
1. await 以 promise 形式完成,且 await 以後的代碼在 promise 被完成後以 .then 執行。api
2. 遇到 await 時,將 async上下文 從上下文堆棧中移除,將上級(async以外)上下文(依次)恢復爲當前執行的上下文;這步過程當中需設置async上下文的評估狀態,以便在恢復到執行上下文時調用 await 以後的步驟。promise
第2點相似的理解爲 async上下文 被掛起,依次向上運行上下文堆棧中的上下文代碼,完了後執行 async 函數裏 await 以後的代碼。瀏覽器
估計看的繞,用代碼說話吧。koa
例一異步
console.log(1); async function async1(){ console.log(2); await async2(); console.log(3); }; async function async2(){ console.log(4)}; async1(); console.log(5); // 輸出結果 1 2 4 5 3
理解一下輸出結果:async
第一步:輸出 1;函數
第二步:輸出 2,async1 先被調用,確定優先於函數內的console和後面的console.log(5);
第三步:輸出 4,把 await async2() 轉爲 promise 形式:
new Promise(resolve => { console.log('2') resolve(); }).then(res => { // 抽出 await 以後的代碼放到.then console.log(3); });
這時候先輸出 2,再等 3 的輸出。
但因爲 3 在Promise規範裏被設定爲異步(劃重點: ES6中屬microTask ,此處直接影響低版本中對promise實現的shim ),且await表示遇到await關鍵字後先將這塊代碼的asyncContext掛起並執行上級上下文,因此先執行了5,因而...
第四步:輸出 5,執行完後回到 async context,再因而...
第五步:最後輸出 3。
例二
在官宣上沒看到 依次向上 字樣鴨,咋肥事?繼續代碼:
console.log(1); function fn1(){ function fn2(){ async function async1(){ console.log(2); await fn3(); console.log(3); } function fn3(){ console.log(4); } async1(); new Promise(resolve => resolve(5)).then(res => console.log(res)); console.log(6); } fn2(); console.log(7); } fn1(); console.log(8); // 輸出結果 1 2 4 6 7 8 3 5
理解一下輸出結果:
第一步:輸出 1;
第二步:fn1 被執行,fn2 被執行,輸出 2;
第三步:fn3 被執行,如第一例所述,輸出 4;
第四步:async context 被掛起,將 fn2 上下文做爲運行上下文,輸出 6;
第五步:fn2 上下文處理後繼續向外更新,fn1 上下文做爲運行上下文,輸出 7;
第六步:重複上述,輸出 8;
第七步:因爲 fn3 的await(promise)在 fn2 中的 new Promise 前被加入執行列隊,根據先進先出的執行順序,輸出 3;
第八步:最後輸出 5。
例三
若是2個 async 嵌套順序是啥樣的呢?再看代碼:
console.log(1); function fn1(){ async function fn2(){ async function async1(){ console.log(2); await fn3(); console.log(3); } function fn3(){ console.log(4); } await async1(); new Promise(resolve => resolve(5)).then(res => console.log(res)); console.log(6); } fn2(); console.log(7); } fn1(); console.log(8); // 1 2 4 7 8 3 6 5
重複上一個理解的過程,把 await async1(); 後的代碼放到最後執行,看作:
new Promise(resolve => { // async1 裏的代碼 resolve(); }).then(res => { new Promise(resolve => resolve(5)).then(res => console.log(res)); console.log(6); });
對比以上輸出結果,正確!
若是有多個或者嵌套promise,則以 await 變成promise並掛起async上下文等上級上下文執行完後恢復 和 事件的執行順序遵循先進先出 兩個規則去完成推斷執行順序。
注意
1. 在低版本瀏覽器中,async/await也有存在一些執行順序的誤差(或者根本就不支持);
2. 在ES6和ES5中promise的執行也有不一樣點(上述提到,ES6中promise屬microtask;在ES5中,暫未接觸到有api直接操做microtask的,因此.then的異步是用setTimeout代替,屬macrotask,致使輸出有差別);關於promise也可參考上文 分步理解 Promise 的實現
3. 因爲客戶端環境不可控性過高,建議用於nodejs端開發。
彩蛋
經過上面的理解,再看下面的圖片(這是koa middleware的... 嘿嘿嘿):
但願這篇筆記可以幫助前端袍澤們對async await的執行過程有更好的理解。上述內容僅供參考,若有理解不當的地方,還望提出!