我正在尝试使用异步模块来削减特定于Node.js的'回调地狱'。基本上,我试图使用async.series
从数据库中检索一些信息并在我的视图中显示它。不过,我认为没有结果。
这是我到目前为止的代码:
// Search
exports.search = function(req, res) {
var x = [];
async.series([
function(cb) {
Lang.find({ lang: req.query.keyword }).sort({ verbal: -1 }).exec(function(err, langs) {
cb(null, langs);
});
},
function(cb) {
Human.find({}, function(err, humans) {
cb(null, humans);
});
}],
function(err, results) {
if (err) {
res.send(500);
}
for(var i = 0; i < results[0].length; i++) {
for(var j = 0; j < results[1].length; j++) {
if(results[1][j]._id == results[0][i].human) {
x.push(results[1][j]);
}
}
}
res.render('myView', { title: 'Search Results', humans: x });
}
);
}
我首先要查询Lang模型(MongoDB)并找到与req.query.keyword
匹配的记录。之后,我想查询人体模型,找到具有该特定语言技能的所有人类。此外,FOR循环旨在消除我的数组中的重复,因为Human可能有多种语言。
答案 0 :(得分:0)
如果我正确理解您的代码,您可能需要使用async.waterfall
。它将结果从一个函数作为参数传递给下一个函数。还可以进行一些其他优化:
async.waterfall([
function(done) {
Lang
.find({ lang: req.query.keyword })
.sort({ verbal: -1 }) // (not really useful)
.select('human') // not strictly necessary, but saves a bit of space
.exec(done); // short for :
// .exec(function(err, results) {
// done(err, results);
// });
},
function(langs, done) {
// extract the 'human' property from each result
var _ids = langs.map(function(lang) {
return lang.human;
});
// perform a query finding all humans in the list of ids
Human
.find({ _id : { $in : _ids } })
.exec(done);
}
], function(err, humans) {
if (err)
return res.send(500);
res.render('myView', {
title : 'Search Results',
humans: humans
});
});
编辑:因为$in
没有保留订单而this answer建议使用$or
,请尝试将此作为第二个查询的替代方法:< / p>
...
function(langs, done) {
var query = langs.map(function(lang) {
return { _id : lang.human };
});
Human
.find({ $or : query })
.exec(done);
}
...