Promise的三兄弟:all(), race()以及allSettled()

来源:https://www.cnblogs.com/fundebug/archive/2019/08/16/javascript-promise-combinators.html
-Advertisement-
Play Games

摘要: 玩轉Promise。 原文: "Promise 中的三兄弟 .all(), .race(), .allSettled()" 譯者:前端小智 "Fundebug" 經授權轉載,版權歸原作者所有。 從ES6 開始,我們大都使用的是 和`Promise.race() Promise.allSett ...


摘要: 玩轉Promise。

Fundebug經授權轉載,版權歸原作者所有。

從ES6 開始,我們大都使用的是 Promise.all()Promise.race()Promise.allSettled() 提案已經到第4階段,因此將會成為ECMAScript 2020的一部分。

1.概述

Promise.all(promises: Iterable<Promise>): Promise<Array>

  • Promise.all(iterable) 方法返回一個 Promise 實例,此實例在 iterable 參數內所有的 promise 都“完成(resolved)”或參數中不包含 promise 時回調完成(resolve);如果參數中 promise 有一個失敗(rejected),此實例回調失敗(reject),失敗原因的是第一個失敗 promise 的結果

Promise.race(promises: Iterable<Promise>): Promise

  • Promise.race(iterable) 方法返回一個 promise,一旦迭代器中的某個promise解決或拒絕,返回的 promise就會解決或拒絕。

Promise.allSettled(promises: Iterable<Promise>): Promise<Array<SettlementObject>>

  • Promise.allSettled()方法返回一個promise,該promise在所有給定的promise已被解析或被拒絕後解析,並且每個對象都描述每個promise的結果。

2. 回顧: Promise 狀態

給定一個返回Promise的非同步操作,以下這些是Promise的可能狀態:

  • pending: 初始狀態,既不是成功,也不是失敗狀態。
  • fulfilled: 意味著操作成功完成。
  • rejected: 意味著操作失敗。
  • Settled: Promise要麼被完成,要麼被拒絕。Promise一旦達成,它的狀態就不再改變。

3.什麼是組合

又稱部分-整體模式,將對象整合成樹形結構以表示“部分整體”的層次結構。組合模式使得用戶對單個對象和組合對象的使用具有一致性,它基於兩種函數:

  • 基元函數(簡短:基元)創建原子塊。
  • 組合函數(簡稱:組合)將原子和/或複合件組合在一起以形成複合件。

對於 JS 的 Promises 來說

  • 基元函數包括:Promise.resolve()Promise.reject()
  • 組合函數:Promise.all(), Promise.race(), Promise.allSettled()

4. Promise.all()

Promise.all()的類型簽名:

  • Promise.all(promises: Iterable<Promise>): Promise<Array>

返回情況:

完成(Fulfillment):
如果傳入的可迭代對象為空,Promise.all 會同步地返回一個已完成(resolved)狀態的promise
如果所有傳入的 promise 都變為完成狀態,或者傳入的可迭代對象內沒有 promisePromise.all 返回的 promise 非同步地變為完成。
在任何情況下,Promise.all 返回的 promise 的完成狀態的結果都是一個數組,它包含所有的傳入迭代參數對象的值(也包括非 promise 值)。

失敗/拒絕(Rejection):
如果傳入的 promise 中有一個失敗(rejected),Promise.all 非同步地將失敗的那個結果給失敗狀態的回調函數,而不管其它 promise 是否完成。

來個例子:

    const promises = [
      Promise.resolve('a'),
      Promise.resolve('b'),
      Promise.resolve('c'),
    ];
    Promise.all(promises)
      .then((arr) => assert.deepEqual(
        arr, ['a', 'b', 'c']
      ));

如果其中的一個 promise 被拒絕,那麼又是什麼情況:

    const promises = [
      Promise.resolve('a'),
      Promise.resolve('b'),
      Promise.reject('ERROR'),
    ];
    Promise.all(promises)
      .catch((err) => assert.equal(
        err, 'ERROR'
      ));

下圖說明Promise.all()是如何工作的

4.1 非同步 .map() 與 Promise.all()

數組轉換方法,如.map().filter()等,用於同步計算。例如

    function timesTwoSync(x) {
      return 2 * x;
    }
    const arr = [1, 2, 3];
    const result = arr.map(timesTwoSync);
    assert.deepEqual(result, [2, 4, 6]);

如果.map()的回調是基於Promise的函數會發生什麼? 使用這種方式 .map()返回的的結果是一個Promises數組。

Promises數組不是普通代碼可以使用的數據,但我們可以通過Promise.all()來解決這個問題:它將Promises數組轉換為Promise,並使用一組普通值數組來實現。

    function timesTwoAsync(x) {
      return new Promise(resolve => resolve(x * 2));
    }
    const arr = [1, 2, 3];
    const promiseArr = arr.map(timesTwoAsync);
    Promise.all(promiseArr)
      .then(result => {
        assert.deepEqual(result, [2, 4, 6]);
      });

更實際工作上關於 .map()示例

接下來,咱們使用.map()Promise.all()Web下載文件。 首先,咱們需要以下幫助函數:

    function downloadText(url) {
      return fetch(url)
        .then((response) => { // (A)
          if (!response.ok) { // (B)
            throw new Error(response.statusText);
          }
          return response.text(); // (C)
        });
    }

downloadText()使用基於Promise的fetch API 以字元串流的方式下載文件:

  • 首先,它非同步檢索響應(第A行)。
  • response.ok(B行)檢查是否存在“找不到文件”等錯誤。
  • 如果沒有錯誤,使用.text()(第C行)以字元串的形式取迴文件的內容。

在下麵的示例中,咱們 下載了兩個文件

    const urls = [
      'http://example.com/first.txt',
      'http://example.com/second.txt',
    ];

    const promises = urls.map(
      url => downloadText(url));
    
    Promise.all(promises)
      .then(
        (arr) => assert.deepEqual(
          arr, ['First!', 'Second!']
        ));

Promise.all()的一個簡版實現

    function all(iterable) {
      return new Promise((resolve, reject) => {
        let index = 0;
        for (const promise of iterable) {
          // Capture the current value of `index`
          const currentIndex = index;
          promise.then(
            (value) => {
              if (anErrorOccurred) return;
              result[currentIndex] = value;
              elementCount++;
              if (elementCount === result.length) {
                resolve(result);
              }
            },
            (err) => {
              if (anErrorOccurred) return;
              anErrorOccurred = true;
              reject(err);
            });
          index++;
        }
        if (index === 0) {
          resolve([]);
          return;
        }
        let elementCount = 0;
        let anErrorOccurred = false;
        const result = new Array(index);
      });
    }

5. Promise.race()

Promise.race()方法的定義:

Promise.race(promises: Iterable<Promise>): Promise

Promise.race(iterable) 方法返回一個 promise,一旦迭代器中的某個promise解決或拒絕,返回的 promise就會解決或拒絕。來幾個例子,瞧瞧:

const promises = [
  new Promise((resolve, reject) =>
    setTimeout(() => resolve('result'), 100)), // (A)
  new Promise((resolve, reject) =>
    setTimeout(() => reject('ERROR'), 200)), // (B)
];
Promise.race(promises)
  .then((result) => assert.equal( // (C)
    result, 'result'));

在第 A 行,Promise 是完成狀態 ,所以 第 C 行會執行(儘管第 B 行被拒絕)。

如果 Promise 被拒絕首先執行,在來看看情況是嘛樣的:

    const promises = [
      new Promise((resolve, reject) =>
        setTimeout(() => resolve('result'), 200)),
      new Promise((resolve, reject) =>
        setTimeout(() => reject('ERROR'), 100)),
    ];
    Promise.race(promises)
      .then(
        (result) => assert.fail(),
        (err) => assert.equal(
          err, 'ERROR'));

註意,由於 Promse 先被拒絕,所以 Promise.race() 返回的是一個被拒絕的 Promise

這意味著Promise.race([])的結果永遠不會完成。

下圖演示了Promise.race()的工作原理:

Promise.race() 在 Promise 超時下的情況

在本節中,我們將使用Promise.race()來處理超時的 Promise。 以下輔助函數:

    function resolveAfter(ms, value=undefined) {
      return new Promise((resolve, reject) => {
        setTimeout(() => resolve(value), ms);
      });
    }

resolveAfter() 主要做的是在指定的時間內,返回一個狀態為 resolvePromise,值為為傳入的 value

調用上面方法:

    function timeout(timeoutInMs, promise) {
      return Promise.race([
        promise,
        resolveAfter(timeoutInMs,
          Promise.reject(new Error('Operation timed out'))),
      ]);
    }

timeout() 返回一個Promise,該 Promise 的狀態取決於傳入 promise 狀態 。

其中 timeout 函數中的 resolveAfter(timeoutInMs, Promise.reject(new Error('Operation timed out')) ,通過 resolveAfter 定義可知,該結果返回的是一個被拒絕狀態的 Promise

再來看看timeout(timeoutInMs, promise)的運行情況。如果傳入promise在指定的時間之前狀態為完成時,timeout 返回結果就是一個完成狀態的 Promise,可以通過.then的第一個回調參數處理返回的結果。

    timeout(200, resolveAfter(100, 'Result!'))
      .then(result => assert.equal(result, 'Result!'));

相反,如果是在指定的時間之後完成,剛 timeout 返回結果就是一個拒絕狀態的 Promise,從而觸發catch方法指定的回調函數。

    timeout(100, resolveAfter(2000, 'Result!'))
      .catch(err => assert.deepEqual(err, new Error('Operation timed out')));

重要的是要瞭解“Promise 超時”的真正含義:

  1. 如果傳入入Promise 較到的得到解決,其結果就會給返回的 Promise
  2. 如果沒有足夠快得到解決,輸出的 Promise 的狀態為拒絕。

也就是說,超時只會阻止傳入的Promise,影響輸出 Promise(因為Promise只能解決一次), 但它並沒有阻止傳入Promise的非同步操作。

5.2 Promise.race() 的一個簡版實現

以下是 Promise.race()的一個簡化實現(它不執行安全檢查)

    function race(iterable) {
      return new Promise((resolve, reject) => {
        for (const promise of iterable) {
          promise.then(
            (value) => {
              if (settlementOccurred) return;
              settlementOccurred = true;
              resolve(value);
            },
            (err) => {
              if (settlementOccurred) return;
              settlementOccurred = true;
              reject(err);
            });
        }
        let settlementOccurred = false;
      });
    }

6.Promise.allSettled()

“Promise.allSettled”這一特性是由Jason WilliamsRobert PamelyMathias Bynens提出。

promise.allsettle()方法的定義:

  • Promise.allSettled(promises: Iterable<Promise>)
    : Promise<Array<SettlementObject>>

它返回一個ArrayPromise,其元素具有以下類型特征:

    type SettlementObject<T> = FulfillmentObject<T> | RejectionObject;
    
    interface FulfillmentObject<T> {
      status: 'fulfilled';
      value: T;
    }
    
    interface RejectionObject {
      status: 'rejected';
      reason: unknown;
    }

Promise.allSettled()方法返回一個promise,該promise在所有給定的promise已被解析或被拒絕後解析,並且每個對象都描述每個promise的結果。

舉例說明, 比如各位用戶在頁面上面同時填了3個獨立的表單, 這三個表單分三個介面提交到後端, 三個介面獨立, 沒有順序依賴, 這個時候我們需要等到請求全部完成後給與用戶提示表單提交的情況

在多個promise同時進行時咱們很快會想到使用Promise.all來進行包裝, 但是由於Promise.all的短路特性, 三個提交中若前面任意一個提交失敗, 則後面的表單也不會進行提交了, 這就與咱們需求不符合.

Promise.allSettledPromise.all類似, 其參數接受一個Promise的數組, 返回一個新的Promise, 唯一的不同在於, 其不會進行短路, 也就是說當Promise全部處理完成後我們可以拿到每個Promise的狀態, 而不管其是否處理成功.

下圖說明promise.allsettle()是如何工作的

6.1 Promise.allSettled() 例子

這是Promise.allSettled() 使用方式快速演示示例

    Promise.allSettled([
      Promise.resolve('a'),
      Promise.reject('b'),
    ])
    .then(arr => assert.deepEqual(arr, [
      { status: 'fulfilled', value:  'a' },
      { status: 'rejected',  reason: 'b' },
    ]));

6.2 Promise.allSettled() 較複雜點的例子

這個示例類似於.map()Promise.all()示例(我們從其中借用了downloadText()函數):我們下載多個文本文件,這些文件的url存儲在一個數組中。但是,這一次,咱們不希望在出現錯誤時停止,而是希望繼續執行。Promise.allSettled()允許咱們這樣做:

    const urls = [
      'http://example.com/exists.txt',
      'http://example.com/missing.txt',
    ];
    
    const result = Promise.allSettled(
      urls.map(u => downloadText(u)));
    result.then(
      arr => assert.deepEqual(
        arr,
        [
          {
            status: 'fulfilled',
            value: 'Hello!',
          },
          {
            status: 'rejected',
            reason: new Error('Not Found'),
          },
        ]
    ));

6.3 Promise.allSettled() 的簡化實現

這是promise.allsettle()的簡化實現(不執行安全檢查)

    function allSettled(iterable) {
      return new Promise((resolve, reject) => {
        function addElementToResult(i, elem) {
          result[i] = elem;
          elementCount++;
          if (elementCount === result.length) {
            resolve(result);
          }
        }
    
        let index = 0;
        for (const promise of iterable) {
          // Capture the current value of `index`
          const currentIndex = index;
          promise.then(
            (value) => addElementToResult(
              currentIndex, {
                status: 'fulfilled',
                value
              }),
            (reason) => addElementToResult(
              currentIndex, {
                status: 'rejected',
                reason
              }));
          index++;
        }
        if (index === 0) {
          resolve([]);
          return;
        }
        let elementCount = 0;
        const result = new Array(index);
      });
    }

7. 短路特性

Promise.all()romise.race() 都具有 短路特性

  • Promise.all(): 如果參數中 promise 有一個失敗(rejected),此實例回調失敗(reject)

Promise.race():如果參數中某個promise解決或拒絕,返回的 promise就會解決或拒絕。

8.併發性和 Promise.all()

8.1 順序執行與併發執行

考慮下麵的代碼:

    asyncFunc1()
      .then(result1 => {
        assert.equal(result1, 'one');
        return asyncFunc2();
      })
      .then(result2 => {
        assert.equal(result2, 'two');
      });

使用.then()順序執行基於Promise的函數:只有在 asyncFunc1()的結果被解決後才會執行asyncFunc2()

Promise.all() 是併發執行的

    Promise.all([asyncFunc1(), asyncFunc2()])
      .then(arr => {
        assert.deepEqual(arr, ['one', 'two']);
      });

9.2 併發技巧:關註操作何時開始

確定併發非同步代碼的技巧:關註非同步操作何時啟動,而不是如何處理它們的Promises

例如,下麵的每個函數都同時執行asyncFunc1()asyncFunc2(),因為它們幾乎同時啟動。

    function concurrentAll() {
      return Promise.all([asyncFunc1(), asyncFunc2()]);
    }
    
    function concurrentThen() {
      const p1 = asyncFunc1();
      const p2 = asyncFunc2();
      return p1.then(r1 => p2.then(r2 => [r1, r2]));
    }

另一方面,以下兩個函數依次執行asyncFunc1()asyncFunc2(): asyncFunc2()僅在asyncFunc1()的解決之後才調用。

    function sequentialThen() {
      return asyncFunc1()
        .then(r1 => asyncFunc2()
          .then(r2 => [r1, r2]));
    }
    
    function sequentialAll() {
      const p1 = asyncFunc1();
      const p2 = p1.then(() => asyncFunc2());
      return Promise.all([p1, p2]);
    }

9.3 Promise.all() 與 Fork-Join 分治編程

Promise.all() 與併發模式“fork join”鬆散相關。重溫一下咱們前面的一個例子:

    Promise.all([
        // (A) fork
        downloadText('http://example.com/first.txt'),
        downloadText('http://example.com/second.txt'),
      ])
      // (B) join
      .then(
        (arr) => assert.deepEqual(
          arr, ['First!', 'Second!']
        ));
  • Fork:在A行中,分割兩個非同步任務並同時執行它們。
  • Join:在B行中,對每個小任務得到的結果進行彙總。

代碼部署後可能存在的BUG沒法實時知道,事後為瞭解決這些BUG,花了大量的時間進行log 調試,這邊順便給大家推薦一個好用的BUG監控工具 Fundebug

原文:https://2ality.com/2019/08/promise-combinators.html

關於Fundebug

Fundebug專註於JavaScript、微信小程式、微信小游戲、支付寶小程式、React Native、Node.js和Java線上應用實時BUG監控。 自從2016年雙十一正式上線,Fundebug累計處理了20億+錯誤事件,付費客戶有陽光保險、核桃編程、荔枝FM、掌門1對1、微脈、青團社等眾多品牌企業。歡迎大家免費試用


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 在之前,我寫了一個websql的封裝類庫,代碼如下: (function(win) { function smpWebSql(options){ options = options || {}; this.database = null; this.DateBaseName = options.Da ...
  • 08.16自我總結 django渲染高階 一.利用母版渲染 1.創建母版文件 如: 2.導入模板 二.一部分文件渲染 1.組件 2.導入組件 :這裡導入多個相同的內容會出現多個內容 三.函數渲染 1.內置函數渲染 使用方法: {{後臺傳輸的內容|內置函數}} 2.自定義函數渲染 1.在app中創建t ...
  • i標簽中的內容會以斜體顯示,b標簽中的內容會以加粗顯示 h5規範中規定,對於不需要著重的內容而是單純的加粗或者是斜體,就可以使用b和i標簽 在h5中使用small標簽來表示一些細則一類的內容 比如:合同中小字,網站的版權聲明都可以放到small 網頁中所有的加書名號的內容都可以使用cite標簽,表示 ...
  • strat javascript 的類型轉換一直是個大坑,但其實它也減少了代碼量。 ToPrimitive Symbol.toPrimitive 是一個內置的 Symbol 值,它作為對象的函數值屬性存在,當一個對象轉換為原始值時,會調用此函數。 該函數被調用時,會被傳遞一個字元串參數 ,表示要轉換 ...
  • 1、VUE構造器簡介 VUE構造器是一個非常重要的語法。 每個Vue.js應用都是通過構造函數Vue創建一個根實例。 New了Vue對象,然後調用了這個vue對象的構造器,並向構造器傳入了數據。 在實例化Vue時,需要傳入一個JSON對象,它可以包含數據、模板、掛在元素、方法、回調函數等選項,全部的 ...
  • 定場詩 前言 讀《學習JavaScript數據結構與演算法》 第3章 數組,本小節將繼續為各位小伙伴分享數組的相關知識:ES6數組的新功能。 一、ES6數組新功能 ES5和ES6數組新方法 |方法|描述| | | | |@@iterator|返回一個包含數組鍵值對的迭代器對象,可以通過同步調用得到數組 ...
  • DOM:文檔對象模型,定義訪問和處理html文檔的標準方法。 DOM節點有: 元素節點:<html> <body>之類的都是 文本節點:向用戶展示內容,如<li>…</li>中的JavaScript、DOM、CSS等 屬性節點:元素屬性,如<a>標簽內的鏈接屬性href="http://www.ba ...
  • SVN在提交、更新、cleanup時報錯:Problem running logsvn: Failed to run the WC DB work queue associated with 'D:\workspace\tmsdev', work item 9414 (file-install We ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...