欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Promise.all中对于reject的处理方法

程序员文章站 2022-05-15 12:23:19
昨天写了个小爬虫,用axios.all同时请求多个页面时,国内网络的原因很容易就超时然后reject了,佛系resolve不可取啊,然后想到可以实现一个“重发失败请求”的功...

昨天写了个小爬虫,用axios.all同时请求多个页面时,国内网络的原因很容易就超时然后reject了,佛系resolve不可取啊,然后想到可以实现一个“重发失败请求”的功能。

promise.all(requestpromises).then(...).catch(...) 会在所有requestpromises都resolve时才会进then方法,并且把所有结果以一个数组返回。只要有一个失败,就会进catch。如果在单个请求中定义了catch方法,那么就不会进promise.all的catch方法。因此,可以在单个的catch中将失败的promise放入一个list,待一轮请求完成后,再去请求失败的请求。

let failedlist = []
function getdatabyid (id) { // 这是单个请求
 return new promise(function (resolve, reject) {
  getresponse(id, resolve, reject)
 }).catch(e => {
  failedlist.push(arguments.callee(id)) // 如果失败,就重新发起请求,并将该请求的promise放入failedlist中以便后续处理
 })
}
function getresponse (id, resolve, reject) { // 模拟返回结果
 settimeout(() => {
  if (math.random() > 0.8) resolve({id, msg: 'ok'})
  else reject({id, msg: 'error'})
 }, 1000)
}
const requestlist = [getdatabyid(1), getdatabyid(2), getdatabyid(3)]
fetchdata(requestlist)
let counter = 1 // 请求次数
let maxrequesttimes = 5 // 最大请求次数,因为有可能别个页面就是访问不了,请求多少次也没用- - 
let result = [] // 最后的结果
function fetchdata (requestlist) { // 这里是对请求结果的处理
 promise.all(requestlist).then(resolve => {
  result = result.concat(resolve.filter(i => i)) // filter返回true的时候保留该数组项,因为getdatabyid的catch里没有给返回值(这里也不需要),这里的resolve里就会有undefined,需要过滤掉
  let failedlength = failedlist.length
  if (failedlength > 0 && counter < maxrequesttimes) { // 如果失败列表里有请求,并且请求次数不超过设定的值,就进行下一次请求,并且打出log
   console.log(`第${counter}次请求完成,其中成功${requestlist.length - failedlength}个,失败${failedlength}个,正在进行第${++counter}次请求...`)
   fetchdata(failedlist)
   failedlist = [] // 这里要清空failedlist,不然会一直调用。不用担心,下一次请求失败的会在getdatabyid填充到failedlist里。
  } else { // 表示所有请求都成功了,或者达到了最大请求次数。到这里就可以对result做进一步处理了。
   console.log(`请求完成,共请求${counter}次, 其中成功${requestlist.length - failedlength}个,失败${failedlength}个\n`, result)
   counter = 1
  }
 }).catch(e => {
  console.log(e)
 })
}

Promise.all中对于reject的处理方法

总结

以上所述是小编给大家介绍的promise.all中对于reject的处理方法,希望对大家有所帮助