JavaScript Promise:簡介

Promise 可簡化延遲和非同步運算。承諾代表尚未完成的作業。

Jake Archibald
Jake Archibald

開發人員,請準備迎接網站開發史上的關鍵時刻。

[Drumroll begins]

JavaScript 終於支援 Promise 了!

[煙火爆開,閃亮的紙片從天而降,觀眾歡呼雀躍]

此時,您會屬於下列其中一個類別:

  • 周圍的人群歡呼,但您不確定發生了什麼事。或許你甚至不確定「承諾」是什麼。你會聳聳肩,但亮片紙的重量會壓在你的肩膀上。如果是,請不用擔心,那我花了個時間思考為什麼該關心這件事。建議您從開始。
  • 你揮拳擊空氣!剛剛好嗎?您之前曾使用這些 Promise 項目,但所有實作項目的 API 都略有不同,這讓您感到困擾。官方 JavaScript 版本的 API 為何?您可能會想先從術語開始。
  • 您深知這件事情,也要對那些熱血沸騰的人事發,他們覺得值得關注。請花點時間享受自己的優越感,然後直接前往 API 參考資料

瀏覽器支援和 polyfill

瀏覽器支援

  • Chrome:32.
  • 邊緣:12。
  • Firefox:29。
  • Safari:8.

資料來源

如要讓缺乏完整承諾實作的瀏覽器符合規格,或在其他瀏覽器和 Node.js 中加入承諾,請查看polyfill (2k gzipped)。

有什麼煩惱嗎?

JavaScript 是單執行緒的,也就是說,兩個指令碼無法同時執行,必須依序執行。在瀏覽器中,JavaScript 會與其他負載的內容共用執行緒,這些內容因瀏覽器而異。但通常 JavaScript 會與繪圖、更新樣式和處理使用者動作 (例如醒目顯示文字和與表單控制項互動) 位於同一佇列。其中一個活動的活動會延遲其他活動。

人類是多執行緒的,你可以用多指輸入,也可以一邊開車一邊與他人對話。我們唯一需要處理的封鎖函式就是打噴機,在打散期間,所有目前活動都必須暫停。這會讓人感到相當惱人,尤其是在你開車時想要與他人交談時。您不想編寫會產生鼻涕的程式碼。

您可能會使用事件和回呼來解決這個問題。事件如下:

var img1 = document.querySelector('.img-1');

img1.addEventListener('load', function() {
  // woo yey image loaded
});

img1.addEventListener('error', function() {
  // argh everything's broken
});

這個結果完全沒有洩漏。取得圖片並新增幾個事件監聽器後,JavaScript 就會停止執行,直到呼叫其中一個事件監聽器為止。

很抱歉,在上述範例中,事件可能會在我們開始監聽之前就發生,因此我們必須使用圖片的「complete」屬性來解決這個問題:

var img1 = document.querySelector('.img-1');

function loaded() {
  // woo yey image loaded
}

if (img1.complete) {
  loaded();
}
else {
  img1.addEventListener('load', loaded);
}

img1.addEventListener('error', function() {
  // argh everything's broken
});

這不會擷取在我們有機會收聽之前就發生錯誤的圖片;不幸的是,DOM 無法提供這種方式。此外,這會載入一張圖片。如果想知道一組圖片何時載入,情況就會更加複雜。

事件不一定是最理想的做法

事件非常適合在同一個物件上多次發生的事件,例如 keyuptouchstart 等。對於這些事件,您不必在意附加事件監聽器之前發生的事件。但提到非同步成功/失敗情形時,您會需要以下程式碼:

img1.callThisIfLoadedOrWhenLoaded(function() {
  // loaded
}).orIfFailedCallThis(function() {
  // failed
});

// and…
whenAllTheseHaveLoaded([img1, img2]).callThis(function() {
  // all loaded
}).orIfSomeFailedCallThis(function() {
  // one or more failed
});

這樣的命名方式更好,但名稱更貼合標準。如果 HTML 圖片元素具有傳回承諾的「ready」方法,我們可以執行以下操作:

img1.ready()
.then(function() {
  // loaded
}, function() {
  // failed
});

// and…
Promise.all([img1.ready(), img2.ready()])
.then(function() {
  // all loaded
}, function() {
  // one or more failed
});

基本上,保證有點像事件監聽器,除了:

  • 一個承諾只能成功或出現一次。它無法成功或失敗兩次,也無法從成功切換為失敗,反之亦然。
  • 如果承諾已成功或失敗,且您稍後新增成功/失敗回呼,系統會呼叫正確的回呼,即使事件已在先前發生也一樣。

這對於非同步成功/失敗作業非常實用,因為您比較不需要確切的可用時間,也較有興趣回應結果。

承諾術語

Domenic Denicola 為本文第一個草稿進行校對,並給予我「F」的成績,原因是用詞不當。他將我留在學校,強迫我抄寫《States and Fates》100 次,並寫信給我的父母,表達他的擔憂。儘管如此,我還是混合了許多術語,但基本知識如下:

承諾可以是:

  • fulfilled:與承諾相關的動作成功
  • rejected:無法執行與承諾相關的動作
  • pending - 尚未完成或拒絕
  • settled - 已完成或遭到拒絕

規格也使用「thenable」一詞來描述與承諾類似的物件,且該物件具有 then 方法。這個詞讓我想起前任英格蘭足球經理人 Terry Venables,因此我會盡量少用這個詞。

JavaScript 支援 Promise!

Promise 出現在程式庫中已有一段時間,例如:

上述和 JavaScript 承諾共用一個稱為 Promises/A+ 的共同標準行為。如果您是 jQuery 使用者,則有類似的 Deferreds。不過,延遲函式不符合 Promise/A+ 規範,因此與 Promise 略有不同,實用性也較低,請留意這點。jQuery 也有 Promise 類型,但這只是 Deferred 的子集,且有相同的問題。

雖然承諾實作會遵循標準化行為,但整體 API 有所不同。JavaScript 承諾在 API 中與 RSVP.js 類似。以下說明如何建立承諾:

var promise = new Promise(function(resolve, reject) {
  // do a thing, possibly async, then…

  if (/* everything turned out fine */) {
    resolve("Stuff worked!");
  }
  else {
    reject(Error("It broke"));
  }
});

承諾建構函式會採用一個引數,即具有兩個參數的回呼,會解析並拒絕。在回呼中執行某些操作 (可能為非同步),如果一切都正常運作,就呼叫解析,否則呼叫拒接。

和純舊 JavaScript 中的 throw 一樣,這是正常情況,但不一定需要用到 Error 物件。Error 物件的優點是可擷取堆疊追蹤,讓偵錯工具更實用。

以下說明您如何運用這項承諾:

promise.then(function(result) {
  console.log(result); // "Stuff worked!"
}, function(err) {
  console.log(err); // Error: "It broke"
});

then() 會使用兩個引數,一個成功案例的回呼,另一個用於失敗案例。兩者並非必要,因此您只能新增成功或失敗情況的回呼。

JavaScript 承諾最初在 DOM 中以「Futures」的形式出現,後來改名為「Promises」,最後移至 JavaScript。將這些屬性放在 JavaScript 中而非 DOM 中,會是個不錯的做法,因為這樣就能在 Node.js 等非瀏覽器 JS 情境中使用這些屬性 (是否在核心 API 中使用這些屬性則是另一個問題)。

雖然這些是 JavaScript 功能,但 DOM 不怕使用這些功能。事實上,所有使用非同步成功/失敗方法的新 DOM API 都會使用承諾。這已經在配額管理字型載入事件ServiceWorkerWeb MIDI串流等主題中發生。

與其他程式庫的相容性

JavaScript 承諾 API 會將任何含有 then() 方法的項目視為類似承諾的項目 (或承諾語言中的 thenable sigh),因此如果您使用會傳回 Q 承諾的程式庫,那麼該程式庫會與新的 JavaScript 承諾搭配使用。

不過,如先前所述,jQuery 的 Deferreds 有點… 沒什麼幫助。好消息是,您可以將這些項目轉換為標準承諾,建議您盡快這麼做:

var jsPromise = Promise.resolve($.ajax('/whatever.json'))

這裡,jQuery 的 $.ajax 會傳回 Deferred。因為有 then() 方法,Promise.resolve() 可以將該方法轉換成 JavaScript 承諾。不過,有時延遲會將多個引數傳遞至其回呼,例如:

var jqDeferred = $.ajax('/whatever.json');

jqDeferred.then(function(response, statusText, xhrObj) {
  // ...
}, function(xhrObj, textStatus, err) {
  // ...
})

而 JS 承諾會忽略第一個以外的所有承諾:

jsPromise.then(function(response) {
  // ...
}, function(xhrObj) {
  // ...
})

幸好這通常是您想要的,或至少可以提供您想要的內容。另請注意,jQuery 並不遵循將 Error 物件傳送至拒絕要求的慣例。

簡化複雜的非同步程式碼

現在來編寫一些程式碼假設我們想:

  1. 啟動旋轉圖示以表示載入作業
  2. 擷取故事的部分 JSON,讓我們取得每個章節的標題和網址
  3. 為頁面新增標題
  4. 擷取每個章節
  5. 將故事新增至頁面
  6. 停止旋轉圖示

但如果過程中發生錯誤,也要告知使用者。我們也希望同時停止旋轉圖示,否則它會一直旋轉、感到不悅並當機到其他 UI 中。

當然,您不會使用 JavaScript 提交故事,以 HTML 呈現會更快,但在處理 API 時,這種模式相當常見:多次擷取資料,然後在完成時執行某項操作。

首先,我們來處理從網路擷取資料的作業:

將 XMLHttpRequest 轉換為承諾

如果可能的話,系統會更新舊 API 以使用承諾功能。XMLHttpRequest 是首選,但在此同時,我們來撰寫簡單的函式,以便提出 GET 要求:

function get(url) {
  // Return a new promise.
  return new Promise(function(resolve, reject) {
    // Do the usual XHR stuff
    var req = new XMLHttpRequest();
    req.open('GET', url);

    req.onload = function() {
      // This is called even on 404 etc
      // so check the status
      if (req.status == 200) {
        // Resolve the promise with the response text
        resolve(req.response);
      }
      else {
        // Otherwise reject with the status text
        // which will hopefully be a meaningful error
        reject(Error(req.statusText));
      }
    };

    // Handle network errors
    req.onerror = function() {
      reject(Error("Network Error"));
    };

    // Make the request
    req.send();
  });
}

接下來,我們來使用它:

get('story.json').then(function(response) {
  console.log("Success!", response);
}, function(error) {
  console.error("Failed!", error);
})

我們現在可以發出 HTTP 要求,而無需手動輸入 XMLHttpRequest,這真是太棒了,因為我越少看到令人惱火的駝峰式 XMLHttpRequest,生活就越快樂。

鏈結

then() 並非故事的結尾,您可以將 then 連結在一起,轉換值或依序執行其他非同步動作。

轉換值

您可以透過傳回新值來轉換值:

var promise = new Promise(function(resolve, reject) {
  resolve(1);
});

promise.then(function(val) {
  console.log(val); // 1
  return val + 2;
}).then(function(val) {
  console.log(val); // 3
})

我們以實際範例為例,回到:

get('story.json').then(function(response) {
  console.log("Success!", response);
})

回應為 JSON,但我們目前收到的回應是純文字。我們可以變更 get 函式來使用 JSON responseType,但也可以在承諾降落中解決該函式:

get('story.json').then(function(response) {
  return JSON.parse(response);
}).then(function(response) {
  console.log("Yey JSON!", response);
})

由於 JSON.parse() 會取用單一引數並傳回轉換後的值,因此我們可以建立捷徑:

get('story.json').then(JSON.parse).then(function(response) {
  console.log("Yey JSON!", response);
})

事實上,我們可以輕鬆建立 getJSON() 函式:

function getJSON(url) {
  return get(url).then(JSON.parse);
}

getJSON() 仍會傳回一個 Promise,該 Promise 會擷取網址,然後將回應解析為 JSON。

將非同步動作排入佇列

您也可以鏈結 then,依序執行非同步動作。

透過 then() 回呼傳回內容時,有點神奇的作用。如果您傳回值,系統會使用該值呼叫下一個 then()。不過,如果您傳回類似承諾的內容,下一個 then() 會等待該內容,且只會在該承諾完成 (成功/失敗) 時呼叫。例如:

getJSON('story.json').then(function(story) {
  return getJSON(story.chapterUrls[0]);
}).then(function(chapter1) {
  console.log("Got chapter 1!", chapter1);
})

我們在這裡向 story.json 提出非同步要求,這會提供一組可要求的網址,然後我們會要求其中的第一個網址。這時承諾才會開始脫穎而出,與簡單的回呼模式有所不同。

您甚至可以建立捷徑方法來取得章節:

var storyPromise;

function getChapter(i) {
  storyPromise = storyPromise || getJSON('story.json');

  return storyPromise.then(function(story) {
    return getJSON(story.chapterUrls[i]);
  })
}

// and using it is simple:
getChapter(0).then(function(chapter) {
  console.log(chapter);
  return getChapter(1);
}).then(function(chapter) {
  console.log(chapter);
})

系統會在 getChapter 呼叫時下載 story.json,但在下次呼叫 getChapter 時,我們會重複使用故事承諾,因此只會擷取 story.json 一次。哇,我很厲害!

處理錯誤

如先前所述,then() 會採用兩個引數,一個代表成功,一個代表失敗 (或完成與拒絕,則以「承諾」文字表示):

get('story.json').then(function(response) {
  console.log("Success!", response);
}, function(error) {
  console.log("Failed!", error);
})

您也可以使用 catch()

get('story.json').then(function(response) {
  console.log("Success!", response);
}).catch(function(error) {
  console.log("Failed!", error);
})

catch() 沒有特別之處,它只是 then(undefined, func) 的糖,但是更易讀。請注意,上述兩個程式碼範例的運作方式不同,後者等同於:

get('story.json').then(function(response) {
  console.log("Success!", response);
}).then(undefined, function(error) {
  console.log("Failed!", error);
})

差別在於極小,但非常實用。承諾拒絕會跳過下一個 then(),並使用拒絕回呼 (或 catch(),因為它等同於 then())。使用 then(func1, func2) 時,系統會呼叫 func1func2,但不會同時呼叫兩者。但如果使用 then(func1).catch(func2)func1 拒絕時會同時呼叫這兩個函式,因為它們是鏈結中的不同步驟。請採取以下行動:

asyncThing1().then(function() {
  return asyncThing2();
}).then(function() {
  return asyncThing3();
}).catch(function(err) {
  return asyncRecovery1();
}).then(function() {
  return asyncThing4();
}, function(err) {
  return asyncRecovery2();
}).catch(function(err) {
  console.log("Don't worry about it");
}).then(function() {
  console.log("All done!");
})

上述流程與一般 JavaScript try/catch 非常相似,在「try」中發生的錯誤會立即傳送至 catch() 區塊。下圖以流程圖的形式呈現 (因為我喜歡流程圖):

遵照藍線表示可提供的承諾,而拒絕則以紅色線條表示拒絕。

JavaScript 例外狀況和 Promise

拒絕會在承諾明確遭拒時發生,但也可能隱含在建構函式回呼中擲回錯誤時:

var jsonPromise = new Promise(function(resolve, reject) {
  // JSON.parse throws an error if you feed it some
  // invalid JSON, so this implicitly rejects:
  resolve(JSON.parse("This ain't JSON"));
});

jsonPromise.then(function(data) {
  // This never happens:
  console.log("It worked!", data);
}).catch(function(err) {
  // Instead, this happens:
  console.log("It failed!", err);
})

也就是說,在承諾建構函式回呼中執行所有承諾相關工作很有用,這樣系統就能自動偵測錯誤並拒絕執行。

then() 回呼中擲回的錯誤也是如此。

get('/').then(JSON.parse).then(function() {
  // This never happens, '/' is an HTML page, not JSON
  // so JSON.parse throws
  console.log("It worked!", data);
}).catch(function(err) {
  // Instead, this happens:
  console.log("It failed!", err);
})

實際的錯誤處理

有了故事和章節,我們可以使用 catch 向使用者顯示錯誤:

getJSON('story.json').then(function(story) {
  return getJSON(story.chapterUrls[0]);
}).then(function(chapter1) {
  addHtmlToPage(chapter1.html);
}).catch(function() {
  addTextToPage("Failed to show chapter");
}).then(function() {
  document.querySelector('.spinner').style.display = 'none';
})

如果擷取 story.chapterUrls[0] 失敗 (例如 http 500 或使用者離線),系統會略過所有後續成功的回呼,包括 getJSON() 中的回呼,該回呼會嘗試將回應解析為 JSON,也會略過將 chapter1.html 新增至頁面的回呼。而是改採擷取回呼。因此,如果先前的任何動作失敗,頁面就會加入「Failed to show chapter」(顯示章節失敗)。

就像 JavaScript 的 try/catch 一樣,錯誤會被捕捉,後續程式碼會繼續執行,因此旋轉圖示會一律隱藏,這正是我們想要的結果。上述內容會成為以下項目的非阻斷式非同步版本:

try {
  var story = getJSONSync('story.json');
  var chapter1 = getJSONSync(story.chapterUrls[0]);
  addHtmlToPage(chapter1.html);
}
catch (e) {
  addTextToPage("Failed to show chapter");
}
document.querySelector('.spinner').style.display = 'none'

您可能只想將 catch() 用於記錄,而不需要從錯誤中復原。如要這麼做,只要重新擲回錯誤即可。我們可以在 getJSON() 方法中執行這項操作:

function getJSON(url) {
  return get(url).then(JSON.parse).catch(function(err) {
    console.log("getJSON failed for", url, err);
    throw err;
  });
}

我們已成功擷取一個章節,但我們需要所有章節。讓我們一起實現這一點。

平行處理和序列:充分運用

想採取非同步的做法並不容易。如果您無法順利完成這項作業,請嘗試以同步的方式編寫程式碼。在這種情況下:

try {
  var story = getJSONSync('story.json');
  addHtmlToPage(story.heading);

  story.chapterUrls.forEach(function(chapterUrl) {
    var chapter = getJSONSync(chapterUrl);
    addHtmlToPage(chapter.html);
  });

  addTextToPage("All done");
}
catch (err) {
  addTextToPage("Argh, broken: " + err.message);
}

document.querySelector('.spinner').style.display = 'none'

這樣就對了!但在下載內容時,它會同步並鎖定瀏覽器。為了讓這項工作以非同步方式執行,我們使用 then() 讓各項工作依序執行。

getJSON('story.json').then(function(story) {
  addHtmlToPage(story.heading);

  // TODO: for each url in story.chapterUrls, fetch & display
}).then(function() {
  // And we're all done!
  addTextToPage("All done");
}).catch(function(err) {
  // Catch any error that happened along the way
  addTextToPage("Argh, broken: " + err.message);
}).then(function() {
  // Always hide the spinner
  document.querySelector('.spinner').style.display = 'none';
})

但該如何循環播放特定章節網址,並依序擷取內容?無法運作

story.chapterUrls.forEach(function(chapterUrl) {
  // Fetch chapter
  getJSON(chapterUrl).then(function(chapter) {
    // and add it to the page
    addHtmlToPage(chapter.html);
  });
})

forEach 不支援非同步作業,因此章節會以下載的順序顯示,這基本上就是「黑色追殺令」的寫法。這不是「黑色追殺令」,所以讓我們修正這個問題。

建立序列

我們要將 chapterUrls 陣列轉換為承諾序列。我們可以使用 then() 來執行這項操作:

// Start off with a promise that always resolves
var sequence = Promise.resolve();

// Loop through our chapter urls
story.chapterUrls.forEach(function(chapterUrl) {
  // Add these actions to the end of the sequence
  sequence = sequence.then(function() {
    return getJSON(chapterUrl);
  }).then(function(chapter) {
    addHtmlToPage(chapter.html);
  });
})

這是我們第一次看到 Promise.resolve(),它會建立承諾可解析為您提供的任何值。如果您傳遞 Promise 的例項,它就會直接傳回 (注意:這是對規格進行的變更,但某些實作尚未遵循此規格)。如果您傳遞類似承諾的內容 (具有 then() 方法),系統會建立真正的 Promise,以相同方式執行滿足/拒絕作業。如果您傳入任何其他值 (例如 Promise.resolve('Hello'),它會建立可透過該值完成的承諾。如果如上所述,呼叫此函式沒有值,則會傳回「未定義」。

也會產生 Promise.reject(val),承諾拒絕要求您提供 (或未定義) 的值。

我們可以使用 array.reduce 清理上述程式碼:

// Loop through our chapter urls
story.chapterUrls.reduce(function(sequence, chapterUrl) {
  // Add these actions to the end of the sequence
  return sequence.then(function() {
    return getJSON(chapterUrl);
  }).then(function(chapter) {
    addHtmlToPage(chapter.html);
  });
}, Promise.resolve())

這與前一個範例的做法相同,但不需要使用獨立的「sequence」變數。陣列中的每個項目都會呼叫減少回呼。第一次呼叫時,「sequence」是 Promise.resolve(),但其他呼叫的「sequence」則是上一個呼叫傳回的值。array.reduce 非常適合將陣列濃縮為單一值,在本例中就是 promise。

讓我們將所有內容整合起來:

getJSON('story.json').then(function(story) {
  addHtmlToPage(story.heading);

  return story.chapterUrls.reduce(function(sequence, chapterUrl) {
    // Once the last chapter's promise is done…
    return sequence.then(function() {
      // …fetch the next chapter
      return getJSON(chapterUrl);
    }).then(function(chapter) {
      // and add it to the page
      addHtmlToPage(chapter.html);
    });
  }, Promise.resolve());
}).then(function() {
  // And we're all done!
  addTextToPage("All done");
}).catch(function(err) {
  // Catch any error that happened along the way
  addTextToPage("Argh, broken: " + err.message);
}).then(function() {
  // Always hide the spinner
  document.querySelector('.spinner').style.display = 'none';
})

這就是同步版本的同步版本但我們可以做得更好。目前,我們的網頁下載情形如下:

瀏覽器非常擅長一次下載多個項目,因此如果逐一下載章節,效能就會降低。我們希望同時下載所有檔案,然後在所有檔案都到達時處理。幸好有 API 可用於此:

Promise.all(arrayOfPromises).then(function(arrayOfResults) {
  //...
})

Promise.all 會擷取承諾的陣列,並承諾只要所有承諾項目都順利完成,就能履行保證。您會以與傳入的承諾相同的順序,取得一組結果 (無論承諾是否已兌現)。

getJSON('story.json').then(function(story) {
  addHtmlToPage(story.heading);

  // Take an array of promises and wait on them all
  return Promise.all(
    // Map our array of chapter urls to
    // an array of chapter json promises
    story.chapterUrls.map(getJSON)
  );
}).then(function(chapters) {
  // Now we have the chapters jsons in order! Loop through…
  chapters.forEach(function(chapter) {
    // …and add to the page
    addHtmlToPage(chapter.html);
  });
  addTextToPage("All done");
}).catch(function(err) {
  // catch any error that happened so far
  addTextToPage("Argh, broken: " + err.message);
}).then(function() {
  document.querySelector('.spinner').style.display = 'none';
})

視連線速度而定,這可能比逐一載入快上幾秒,而且程式碼比我們第一次嘗試時少。章節可以以任意順序下載,但會以正確的順序顯示在畫面上。

不過,我們依然可以改善使用者感知的成效。第一章到達時 我們就應該在頁面中新增該章節這樣一來,使用者就能在其他章節到達前開始閱讀。當第三章推出時,我們不會將其加入頁面,因為使用者可能不會發現第二章缺少。第二章到達時 我們可以加入二、第三章等等

為此,我們會同時擷取所有章節的 JSON,然後建立序列來將其新增至文件中:

getJSON('story.json')
.then(function(story) {
  addHtmlToPage(story.heading);

  // Map our array of chapter urls to
  // an array of chapter json promises.
  // This makes sure they all download in parallel.
  return story.chapterUrls.map(getJSON)
    .reduce(function(sequence, chapterPromise) {
      // Use reduce to chain the promises together,
      // adding content to the page for each chapter
      return sequence
      .then(function() {
        // Wait for everything in the sequence so far,
        // then wait for this chapter to arrive.
        return chapterPromise;
      }).then(function(chapter) {
        addHtmlToPage(chapter.html);
      });
    }, Promise.resolve());
}).then(function() {
  addTextToPage("All done");
}).catch(function(err) {
  // catch any error that happened along the way
  addTextToPage("Argh, broken: " + err.message);
}).then(function() {
  document.querySelector('.spinner').style.display = 'none';
})

結果顯示,兩人都大功告成!雖然需要同樣時間才能提供所有內容,但使用者可以更快取得第一部分內容。

在這個簡單的例子中,所有章節都會在同一時間到達,但如果章節更多且更大,逐一顯示的優點就會更加明顯。

使用 Node.js 樣式的回呼或事件執行上述操作,所需程式碼約為上述程式碼的兩倍,但更重要的是,這麼做不容易理解。不過,這並不是承諾的最終階段,與其他 ES6 功能結合使用會更加容易。

額外獎勵:擴充功能

自從我最初撰寫這篇文章以來,使用 Promise 的功能已大幅擴增。自 Chrome 55 起,非同步函式允許以同步方式編寫以承諾為基礎的程式碼,但不會封鎖主執行緒。如要進一步瞭解這項功能,請參閱我的非同步函式文章。主要瀏覽器廣泛支援 Promise 和非同步函式。詳情請參閱 MDN 的 Promiseasync 函式參考資料。

感謝 Anne van Kesteren、Domenic Denicola、Tom Ashworth、Remy Sharp、Addy Osmani、Arthur Evans 和 Yutaka Hirano 協助校對本文並提供修正/建議。

此外,感謝 Mathias Bynens 更新文章的各個部分