承诺不是回调。承诺代表异步操作的未来结果。当然,按照你的方式编写它们,你得到的好处很少。但是,如果您按照它们的预期使用方式编写它们,您可以以类似于同步代码的方式编写异步代码并且更容易遵循:
api().then(function(result){
return api2();
}).then(function(result2){
return api3();
}).then(function(result3){
// do work
});
当然,代码不会少很多,但可读性要高得多。
但这不是结束。让我们发现真正的好处:如果您想检查任何步骤中的任何错误怎么办?用回调来做这件事会很糟糕,但有了承诺,就是小菜一碟:
api().then(function(result){
return api2();
}).then(function(result2){
return api3();
}).then(function(result3){
// do work
}).catch(function(error) {
//handle any error that may occur before this point
});
几乎与try { ... } catch
块相同。
更好的是:
api().then(function(result){
return api2();
}).then(function(result2){
return api3();
}).then(function(result3){
// do work
}).catch(function(error) {
//handle any error that may occur before this point
}).then(function() {
//do something whether there was an error or not
//like hiding an spinner if you were performing an AJAX request.
});
甚至更好:如果对api
, api2
,的这 3 个调用api3
可以同时运行(例如,如果它们是 AJAX 调用)但您需要等待这三个调用会怎样?如果没有承诺,您应该必须创建某种计数器。有了 Promise,使用 ES6 符号,又是小菜一碟,而且非常简洁:
Promise.all([api(), api2(), api3()]).then(function(result) {
//do work. result is an array contains the values of the three fulfilled promises.
}).catch(function(error) {
//handle the error. At least one of the promises rejected.
});
希望你现在以全新的眼光看待 Promise。