承诺链接
该 then
一个承诺的方法返回一个新的承诺。
const promise = new Promise(resolve => setTimeout(resolve, 5000));
promise
// 5 seconds later
.then(() => 2)
// returning a value from a then callback will cause
// the new promise to resolve with this value
.then(value => { /* value === 2 */ });
从 then
回调中返回 Promise
会将其附加到 promise 链。
function wait(millis) {
return new Promise(resolve => setTimeout(resolve, millis));
}
const p = wait(5000).then(() => wait(4000)).then(() => wait(1000));
p.then(() => { /* 10 seconds have passed */ });
一个 catch
允许被拒绝的承诺恢复,类似于 try
/ catch
语句中的 catch
如何工作。任何链接 then
一个后 catch
将使用从解决价值执行其决心处理 catch
。
const p = new Promise(resolve => {throw 'oh no'});
p.catch(() => 'oh yes').then(console.log.bind(console)); // outputs "oh yes"
如果链中间没有 catch
或 reject
处理程序,则最后的 catch
将捕获链中的任何拒绝:
p.catch(() => Promise.reject('oh yes'))
.then(console.log.bind(console)) // won't be called
.catch(console.error.bind(console)); // outputs "oh yes"
在某些情况下,你可能希望分支函数的执行。你可以根据条件从函数返回不同的 promise。稍后在代码中,你可以将所有这些分支合并为一个以调用其上的其他函数和/或在一个位置处理所有错误。
promise
.then(result => {
if (result.condition) {
return handlerFn1()
.then(handlerFn2);
} else if (result.condition2) {
return handlerFn3()
.then(handlerFn4);
} else {
throw new Error("Invalid result");
}
})
.then(handlerFn5)
.catch(err => {
console.error(err);
});
因此,函数的执行顺序如下:
promise --> handlerFn1 -> handlerFn2 --> handlerFn5 ~~> .catch()
| ^
V |
-> handlerFn3 -> handlerFn4 -^
单个 catch
将在可能发生的任何分支上得到错误。