Promise(二)——并行请求

若想系统学习Promise可以阅读:阮一峰大神写的Promise对象,此篇记录常用用法。

Promise并行请求

  • getA和getB并行执行,然后输出结果。如果有一个错误,就抛出错误
  • 每一个promise都必须返回resolve结果才正确
  • 每一个promise都不处理错误
  • 参考:https://www.jianshu.com/p/dbda3053da20
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
/**
* 每一个promise都必须返回resolve结果才正确
* 每一个promise都不处理错误
*/

const getA = new Promise((resolve, reject) => {
//模拟异步任务
setTimeout(function(){
resolve(2);
}, 1000)
})
.then(result => result)


const getB = new Promise((resolve, reject) => {
setTimeout(function(){
// resolve(3);
reject('Error in getB');
}, 1000)
})
.then(result => result)


Promise.all([getA, getB]).then(data=>{
console.log(data)
})
.catch(e => console.log(e));
  • getA和getB并行执行,然后输出结果。总是返回resolve结果
  • 每一个promise自己处理错误
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
/**
* 每一个promise自己处理错误
*/

const getA = new Promise((resolve, reject) => {
//模拟异步任务
setTimeout(function(){
resolve(2);
}, 1000)
})
.then(result => result)
.catch(e=>{

})


const getB = new Promise((resolve, reject) => {
setTimeout(function(){
// resolve(3);
reject('Error in getB');
}, 1000)
})
.then(result => result)
.catch(e=>e)


Promise.all([getA, getB]).then(data=>{
console.log(data)
})
.catch(e => console.log(e));
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
let tasks = [];
for (let i = 1; i <= 5; i++) {
tasks.push(i);
};
/*
* @params : func:你封装的方法 params: 参数的数组
*/
let getDataBind = (func, params) => {
return params.map( item => {
return func.call(null, item) //传参
})
}
/*
@params : page_no 页码
getDate 可以换成你自己需要重复操作的方法,同理
*/
let getData = (page_no) => {
let saveListData = JSON.parse(localStorage.getItem(this.props.saveListData));
let params = {
page_no:page_no,
...saveListData.loadParams
}
return new Promise(resolve => {
get(this.props.sortUrl, params, this, false).then(function (data) {
resolve(data.result;);
});
})
}
Promise.all(this.getDataBind(this.getData, arrPage))
.then( resultArr => {
resultArr = resultArr.flat();//拉平数组
console.log(resultArr) //这里就获取到所有页的数据了
});
//

-------------本文结束&感谢您的阅读-------------