如何将回调重写为使用async模块的promises?例如,如果我有以下代码
async.parallel([
function(){ ... },
function(){ ... }
], callback);
或
async.waterfall([
function(callback) {
callback(null, 'one', 'two');
},
function(arg1, arg2, callback) {
// arg1 now equals 'one' and arg2 now equals 'two'
callback(null, 'three');
},
function(arg1, callback) {
// arg1 now equals 'three'
callback(null, 'done');
}
], function (err, result) {
// result now equals 'done'
});
答案 0 :(得分:2)
重写
async.parallel
您不会为此使用任何回调函数,但您可以为要运行的所有任务创建yoursel承诺。然后,您可以等待使用Promise.all
的所有人:
Promise.all([promiseMaker1(), promiseMaker2()]).then(callback);
重写
async.waterfall
为此,您将使用最原始的promise方法:.then()
。它用于链接promise,将回调传递给promise并获得回调结果的新承诺。但请注意,promises始终仅使用单个值解析,因此您的nodeback(null, 'one', 'two')
示例将无效。您将不得不使用数组或对象。
Promise.resolve(['one', 'two']).then(function(args) {
// args[0] now equals 'one' and args[1] now equals 'two'
return Promise.resolve('three'); // you can (and usually do) return promises from callbacks
}).then(function(arg1) {
// arg1 now equals 'three'
return 'done'; // but plain values also work
}).then(function(result) {
// result now equals 'done'
});
答案 1 :(得分:0)
您以这种或那种方式使用几乎每个承诺库中都内置的Promise.all
- 特别是在本地和蓝鸟承诺中:
function fn1(){
return Promise.resolve(1);
}
function fn1(){
return Promise.resolve(2);
}
Promise.all([fn1(), fn2()]).then(function(results){
//access results in array
console.log(results); // [1,2]
});