承诺被拒绝后可以被“处理”。也就是说,可以在提供catch处理程序之前调用promise的reject回调。这种行为对我来说有点麻烦,因为人们可以这样写…
var promise = new Promise(function(resolve) {
kjjdjf(); // this function does not exist });
... 在这种情况下,承诺被默默地拒绝了。如果忘记添加catch处理程序,代码将继续无声地运行,没有错误。这可能会导致挥之不去且难以发现的bug。
在Node.js中,有关于处理这些未处理的Promise拒绝和报告问题的讨论。这让我想到了ES7 async/await。想想这个例子:
async function getReadyForBed() {
let teethPromise = brushTeeth();
let tempPromise = getRoomTemperature();
// Change clothes based on room temperature
let temp = await tempPromise;
// Assume `changeClothes` also returns a Promise
if(temp > 20) {
await changeClothes("warm");
} else {
await changeClothes("cold");
}
await teethPromise;
}
在上面的例子中,假设在实现getRoomTemperature之前,teethPromise被拒绝(错误:牙膏用完了!)。在这种情况下,将会有一个未处理的Promise拒绝,直到await teethPromise。
我的观点是…如果我们认为未处理的Promise拒绝是一个问题,那么稍后由await处理的Promise可能会被无意中报告为bug。然后,如果我们认为未处理的Promise拒绝没有问题,那么合法的错误可能不会被报告。
对此有何看法?
这与Node.js项目中的讨论有关:
默认未处理的拒绝检测行为
如果你这样写代码:
function getReadyForBed() {
let teethPromise = brushTeeth();
let tempPromise = getRoomTemperature();
// Change clothes based on room temperature
return Promise.resolve(tempPromise)
.then(temp => {
// Assume `changeClothes` also returns a Promise
if (temp > 20) {
return Promise.resolve(changeClothes("warm"));
} else {
return Promise.resolve(changeClothes("cold"));
}
})
.then(teethPromise)
.then(Promise.resolve()); // since the async function returns nothing, ensure it's a resolved promise for `undefined`, unless it's previously rejected
}
当getReadyForBed被调用时,它将同步创建最终的(不返回的)承诺——它将具有与任何其他承诺相同的“未处理的拒绝”错误(当然,可能什么都没有,取决于引擎)。(我发现非常奇怪的是你的函数没有返回任何东西,这意味着你的async函数产生了一个未定义的承诺。
如果我现在做了一个没有catch的Promise,并在以后添加一个,大多数“未处理的拒绝错误”实现实际上会在我以后处理它时撤销警告。换句话说,async/await不会以我所看到的任何方式改变“未处理的拒绝”讨论。
为了避免这个陷阱,请这样写代码:
async function getReadyForBed() {
let teethPromise = brushTeeth();
let tempPromise = getRoomTemperature();
// Change clothes based on room temperature
var clothesPromise = tempPromise.then(function(temp) {
// Assume `changeClothes` also returns a Promise
if(temp > 20) {
return changeClothes("warm");
} else {
return changeClothes("cold");
}
});
/* Note that clothesPromise resolves to the result of `changeClothes`
due to Promise "chaining" magic. */
// Combine promises and await them both
await Promise.all(teethPromise, clothesPromise);
}
注意,这将防止任何未处理的承诺拒绝。