async.series(tasks, callback)
tasks
能夠是對象或數組,返回類型就是參數類型
tasks
中傳入回調函數的第一個值非空即中止後面函數執行
- 按照順序流程進行
async.series({
one: function (cb) {
cb(null, 'one')
},
two: function (cb) {
cb(null, 'two')
}
}, function (err, results) {
console.log(results);
})
async.waterfall(tasks, callback)
- 與
async.series
類型
tasks
中能夠將結果向後傳遞
tasks
參數僅能夠爲數組
async.waterfall([function(cb) {
cb(null, 'one')
}, function (data, cb) {
cb(null, data + ' two')
}], function (err, results) {
console.log(results);
})
async.parallel(tasks, callback)
tasks
參數能夠是數組或對象
tasks
函數所有並行執行
- 注意最終結果參數仍是按照
tasks
中聲明的順序
async.parallelLimit(tasks, limit, callback)
- 與
async.parallel
相同
limit
參數限制最大併發數量
async.queue(work, concurrency)
- 隊列流程控制,增強版
paralle()
- 隊列消息,限制
work
數量
- 參數
work
是執行任務的回調函數形式, concurrency
定義同時執行任務的數量
var async = require('async')
var count = 0;
var queue = async.queue(function (task, cb) {
console.log('work is processing task: ', task.name);
cb();
}, 2)
queue.push({name: 'one'}, function (err) {
setTimeout(function () {
console.log('finished processing foo');
}, 2000)
})
queue.push({name: 'two'}, function (err) {
setTimeout(function () {
console.log('finished processing two');
}, 1000)
})
queue.push({name: 'three'}, function (err) {
console.log('finished processing three');
})
queue.push({name: 'four'}, function (err) {
console.log('finished processing four');
})
//黨最後一個任務交給work時調用,因此這裏在name:four執行前調用
queue.empty = function () {
console.log('no more tasks wating');
}
//執行完全部任務後調用
queue.drain = function () {
console.log('all tasks have been processed');
}
async.whilst(test, fn, callback)
- 流程控制,至關於
while
- 適合以循環的方式執行異步操做
async.whilst(function () {
return count < 5
}, function (cb) {
count++;
setTimeout(function () {
cb(null, count)
}, 1000)
}, function (err, data) {
console.log(data);
})
async.doWhilst(fn, test, callback)
- 與
async.whilst
相似, 至關於do...while
語句
async.until(test, fn, callback)
async.doUntil(fn, test, callback)