关于Promise的一些

github同步

1.定义

The Promise object represents the eventual completion (or failure) of an asynchronous operation, and its resulting value.

为什么要重新从定义回顾,是因为我觉得就是因为定义太过于简单,所以细节容易被忽略。

比如怎么才算最终的状态?怎么更好的处理异常?如何兼容多个浏览器?

恰巧最近在整理项目代码时,发现了Promise的一些小坑,特地重新回顾复习一遍,希望下面的介绍可以让你有所收获!

2.基础用法


const timeDefer = milliseconds => new Promise(resolve => {
    setTimeout(() => {
       resolve() 
    }, milliseconds)
   }
)

这是一个简单的用法,可以用来模拟异步请求。

假设用在类似React的组件中,异步请求回来后需要render部分UI,我们经常会在回调里写类似this.renderTable(response)处理逻辑。

那么让我们检测下吧。


const timeDefer = milliseconds => new Promise(resolve => {
    console.log(this)
    setTimeout(() => {
      resolve() 
    }, milliseconds)
  }
)

timeDefer(1000).then(() => console.log('success'))

//undefined
//success

糟糕,在scope内拿不到this。

你也许会说你由于箭头函数的问题,好,我们换为ES5。


var hanlder = {
  method: function(milliseconds) {
    return function(resolve) {
      console.log(this)
      setTimeout(function(){
        resolve() 
      }, milliseconds)
    }
  }
}

function timeDefer(milliseconds) {    
  return new Promise(hanlder.method(milliseconds))
} 

timeDefer(1000).then(() => console.log('success'))

//undefined
//success

依然没有获取到,所以,这必须和箭头函数无关。

注意:我的运行环境为webpack编译后的runtime上下文内。

再换一种思路试试吧。

<script>

const timeDefer = milliseconds => new Promise(resolve => {
    console.log(this)
    setTimeout(() => {
      resolve() 
    }, milliseconds)
  }
)

timeDefer(1000).then(() => console.log('success'))

</script>

//window
//success

如上,我直接写在了页面里,结果是你想的吗?

很惊奇吧!没错,Promise回调内的this是和上下文有关系的,不一定具体是什么,但应该是global

3.简单请求:fetch

我们经常会用一些fetch的库,如whatwg-fetch,其实fetch就是基于Promise的一种实现,而许多浏览器也支持原生的fetch,如Chrome;同样的,像IE这种非主流当然肯定是不支持的,所以这些库往往会帮我们去做polyfill。

fetch请求资源的用法如下:


const getJSON = url => fetch(url)
      .then(response => response.json())


getJSON('/data.json')
  .then(json => console.log('success1', json))
  .catch(error => console.log('failed0'))

这里唯一需要注意的一点就是response.json(),它返回的是一个Promise对象,请切记这一点。

对于Promise后面跟的链式thenable函数,一般有两种写法,上述等同于


getJSON('/data.json')
  .then((response, error) => {
      //do something
  })

第一首较第二种来说更加直观清晰,所以大多数情况下都比较推荐第一种。

但第一种的写法有一些规则需要注意:

  • 1.如果then后面接then,不管有多少个,只要请求是成功的,都会依次进入

getJSON('/data.json')
  .then(json => console.log('success1', json))
  .then(json => console.log('success1', json))
  .catch(error => console.log('failed0'))

//success1
//success1

  • 2.如果catch放在then后面并且请求失败了,那么then还是会进去

getJSON('/data.json')
  .catch(error => console.log('failed0'))
  .then(json => console.log('success1', json))

//failed0
//success, undefined

这种情况最容易犯错,而且还不易排查,确保你的异常处理作为链式收尾。

  • 3.服务器返回404

对于这个case,希望你可以先自己猜猜,在看输出。


const getJSON = url => fetch(url)
      .then(response => {
          console.log('success0', response)
          return response.json()
      })
      .then(json => {
        console.log('success1', json)
      })
      .catch(error => {
        console.log('failed0')
      })


getJSON('/data1.json')//无效url,404

//success: 0
//failed0

你没有看错,对于fetch(尤其是使用原生)来说,404是‘成功‘的请求,并不会直接进catch。

类似的问题许多库的issue里都提到:Why both of then and catch are invoked when reponse status is 404

因此正确的处理应该是:


const getJSON = url => fetch(url)
      .then(response => {
        if (response.status === 200) {
          console.log('success0', response)
          return response.json()
        }
      })
      .then(json => {
        console.log('success1', json)
      })
      .catch(error => {
        console.log(error, 'failed0')
      })


4.高级用法:链式

Promise最大的作用就是解决了地狱回掉,并且给异步方法提供了优美的语法糖。

链式基本写法:


const success = () => Promise.resolve({data: {}})

const failed = () => Promise.reject({error: {}})

success()
  .then(response => console.log(response))
  .catch(error => console.log(error))

success()
  .then((response, error) => {
    console.log(response, error)
  })

Promise.resolvePromise.reject分别返回一个已经成功/失败的promise对象,我在此用来模拟成功/失败的请求。

基于上面的回顾,几个小demo可以用来检测下自己对链式的掌握:

  • Demo1:

success('success0')
  .then(response => console.log(response))
  .then(response => console.log(response))
  .then(response => console.log(response))
  .then(response => console.log(response))

//success
//undefined
//undefined
//undefined

这个应该很好理解,我在上面已经提到了then的传递性

  • Demo2:

success('0')
  .then(response => {
    console.log('failed', response)
    failed(response)
  })
  .catch(error => {
    console.log('recovery', error)
    return success(error)
  })
  .then((response, error) => console.log(response, error))

// failed 0
// undefined, undefined

这个结果是不让你懵逼了,如果是,那么先看下个例子。


success('0')
  .then(response => {
    console.log('failed', response)
    return failed(response)
  })
  .catch(error => {
    console.log('recovery', error)
    return success(error)
  })
  .then((response, error) => console.log(response, error))

// failed 0
// recovery 0
// 0 undefined

没错,差别就在于一个return,也许你一个小的手误就会导致一个大bug。

所以切记:如果在Promise的回掉逻辑里依然是是Promise,且希望有链式的后续处理,记得一定要返回该实例。

有了上面的基本知识,我们用最后一个Demo来结束本文:

  • Demo3:

const getJSON = url => fetch(url)
  .then(response => response.json())//.json() will return a promise
  .catch(error => console.log(error))

假设getJSON('/data.json')会返回一个形如:


{
    urls: [
        'file1.md',
        'file2.md',
        'file3.md',
        ...
        'file12.md'
    ]
}

的json对象,包含接下来需要请求的资源。

我们在回调里的实现方式如下:


getJSON('/data.json')
  .then(data => {
    data.urls.forEach(url => {
      getJSON(url)
    });
  })


getJSON('/data.json')
  .then(data => {
    let thenableRequest = Promise.resolve();
    data.urls.forEach(url => {
      thenableRequest.then(() => getJSON(url))
    });
  })


getJSON('/data.json')
  .then(data => {
    let thenableRequest = Promise.resolve();
    data.urls.forEach(url => {
      thenableRequest = thenableRequest.then(() => getJSON(url))
    });
  })

等同于

getJSON('/data.json')
  .then(data => {
    data.urls.reduce(
      (thenable, url) => thenable.then(() => getJSON(url)),
       Promise.resolve()
      )
  })

如果你能一口气说出其中的区别,或者告诉我Network中资源请求的顺序,那么请忽略本文。

第一种:

并行请求 ,但不能保证顺序,所以结果不可预期,如果这不是请求资源,而是数个有依赖顺序的API,那结果肯定不能满足你。

第二种:

其实和第一种没有太大区别,只是稍微用链式重构了下,但实质并没有变。

第三种:

getJSON每次都会返回一个新的Promise对象,你可以将其看作是reduce的结果,这种链式最终的结果是串行请求所有资源,即先file1.md, file2.md, ... file12.md,如果用Network去查看,可以发现它是依次请求的,保证的顺序。

这三种方法其实就在解决一个问题,而也就是为什么有Promise.all的原因了。

Promise.all既做保证了顺序也做了异常处理:所有的请求都成功了才能拿到最终结果,否者则会reject。

利用Promise.all改写如下:


getJSON('/data.json')
  .then(data => Promise.all(data.urls.map(url => getJSON(url))))
  .then(responseArray => console.log('responseArray', responseArray))

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,271评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,275评论 2 380
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,151评论 0 336
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,550评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,553评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,559评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,924评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,580评论 0 257
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,826评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,578评论 2 320
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,661评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,363评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,940评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,926评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,156评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,872评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,391评论 2 342

推荐阅读更多精彩内容