我们在操作数据库的时候经常会这样写,以 Post.getOne 为例:
Post.getOne = function(name, day, title, callback) {
mongodb.open(function (err, db) {
if (err) { ... }
db.collection('posts', function (err, collection) {
if (err) { ... }
collection.findOne({ ... }, function (err, doc) {
if (err) { ... }
collection.update({ ... }, function (err) {
mongodb.close();
callback( ... );
});
});
});
});
};
这就是典型的深度嵌套回调,代码看起来并不美观。下面我们使用 Async 解决这个问题。
首先,在 package.json 中添加对 Async 的依赖:
"async": "*"
并 npm install 安装 Async 包。
在使用 Async 之前,我们先学习下 async.waterfall 的基本用法。
waterfall(tasks, [callback]) :多个函数依次执行,且前一个的输出为后一个的输入,即每一个函数产生的值,都将传给下一个函数。如果中途出错,后面的函数将不会被执行。错误信息以及之前产生的结果,将传给 waterfall 最终的 callback,一个简单的例子:
var async = require('async');
async.waterfall([
function(callback){
callback(null, 'one', 'two');
},
function(arg1, arg2, callback){
console.log('arg1 => ' + arg1);
console.log('arg2 => ' + arg2);
callback(null, 'three');
},
function(arg3, callback){
console.log('arg3 => ' + arg3);
callback(null, 'done');
}
], function (err, result) {
console.log('err => ' + err);
console.log('result => ' + result);
});
运行结果为:
arg1 => one
arg2 => two
arg3 => three
err => null
result => done
将 callback(null, 'three'); 修改为:
callback('error occurred !', 'three');
运行结果为:
arg1 => one
arg2 => two
err => error occurred !
result => three