溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

深入 Promise(二)——進擊的 Promise

發(fā)布時間:2020-07-29 05:18:41 來源:網(wǎng)絡(luò) 閱讀:322 作者:石墨文檔 欄目:開發(fā)技術(shù)

twitter 上有一道關(guān)于 Promise 的題,執(zhí)行順序是怎樣?見下圖:

深入 Promise(二)——進擊的 Promise我們假設(shè) doSomething 耗時 1s,doSomethingElse 耗時 1.5s:

function doSomething() {
  return new Promise((resolve, reject) => {
    setTimeout(() => {
      resolve('something')
    }, 1000)
  })}function doSomethingElse() {
  return new Promise((resolve, reject) => {
    setTimeout(() => {
      resolve('somethingElse')
    }, 1500)
  })}

1. 第一種情況:

console.time('case 1')doSomething().then(() => {
  return doSomethingElse()}).then(function finalHandler(res) {
  console.log(res)
  console.timeEnd('case 1')})

打印出:

somethingElsecase 1: 2509ms

執(zhí)行順序為:

doSomething()
|----------|
           doSomethingElse()
           |---------------|
                           finalHandler(somethingElse)
                           |->

解釋:正常的 Promise 用法。


2. 第二種情況:

console.time('case 2')doSomething().then(function () {
  doSomethingElse()}).then(function finalHandler(res) {
  console.log(res)
  console.timeEnd('case 2')})

打印出:

undefinedcase 2: 1009ms

執(zhí)行順序為:

doSomething()
|----------|
           doSomethingElse()
           |---------------|
           finalHandler(undefined)
           |->

解釋:因為沒有使用 return,doSomethingElse 在 doSomething 執(zhí)行完后異步執(zhí)行的。

3. 第三種情況:

console.time('case 3')doSomething().then(doSomethingElse())
  .then(function finalHandler(res) {
    console.log(res)
    console.timeEnd('case 3')
  })

打印出:

somethingcase 3: 1008ms

執(zhí)行順序為:

doSomething()
|----------|
doSomethingElse()
|---------------|
           finalHandler(something)
           |->

解釋:上面代碼相當于:

console.time('case 3')var doSomethingPromise = doSomething()var doSomethingElsePromise = doSomethingElse()doSomethingPromise.then(doSomethingElsePromise)
  .then(function finalHandler(res) {
    console.log(res)
    console.timeEnd('case 3')
  })

而我們知道 then 需要接受一個函數(shù),否則會值穿透,所以打印 something。

4. 第四種情況:

console.time('case 4')doSomething().then(doSomethingElse)
  .then(function finalHandler(res) {
    console.log(res)
    console.timeEnd('case 4')
  })

打印出:

somethingElsecase 4: 2513ms

執(zhí)行順序為:

doSomething()
|----------|
           doSomethingElse(something)
           |---------------|
                           finalHandler(somethingElse)
                           |->

解釋:doSomethingElse 作為 then 參數(shù)傳入不會發(fā)生值穿透,并返回一個 promise,所以會順序執(zhí)行。


向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關(guān)證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI