Jordan Harband 提出了 Promise.prototype.finally
这一章节的提案。html
.finally() 这样用:git
promise
.then(result => {···})
.catch(error => {···})
.finally(() => {···});
复制代码
finally 的回调老是会被执行。做为比较:es6
promise
.finally(() => {
«statements»
});
复制代码
等价于:github
promise
.then(
result => {
«statements»
return result;
},
error => {
«statements»
throw error;
}
);
复制代码
最多见的使用案例相似于同步的 finally 分句:处理完某个资源后作些清理工做。无论有没有报错,这样的工做都是有必要的。 举个例子:npm
let connection;
db.open()
.then(conn => {
connection = conn;
return connection.select({ name: 'Jane' });
})
.then(result => {
// Process result
// Use `connection` to make more queries
})
···
.catch(error => {
// handle errors
})
.finally(() => {
connection.close();
});
复制代码
同步代码里,try 语句分为三部分:try 分句,catch 分句和 finally 分句。 对比 Promise:promise
然而,finally {} 能够 return 和 throw ,而在.finally() 回调里只能 throw, return 不起任何做用。这是由于这个方法不能区分显式返回和正常结束的回调。bash
promise.prototype.finally
是 .finally() 的一个 polyfill原文:http://exploringjs.com/es2018-es2019/ch_promise-prototype-finally.htmlasync