我正在使用Mongoose和MongoDB的MMEAN堆栈。我想测试集合Foo是否为空,但它涉及带回调的Mongoose find()
函数。 我不熟悉回调,所以我想知道如何从回调中获取一条信息到其父函数中。
这是我必须遵循的addFoo逻辑: 1.检查Foo集合是否为空 2.如果Foo为空,请保存新的Foo文档 3.如果Foo不为空,请不要保存新的Foo文档
我正在从routes / index.js中调用save方法addFoo()
。
// routes/index.js
router.post('/foo', function(req, res, next){
var foo = new Foo(req.body);
foo.addFoo(function(err, bid){
if(err){ return next(err); }
res.json(foo);
});
});
// models/Foo.js
var mongoose = require('mongoose');
var FooSchema = new mongoose.Schema({
creator: String
});
mongoose.model('Foo', FooSchema);
FooSchema.methods.addFoo = function(cb){
// finds all documents of Foo into the "results" array
this.model("Foo").find(function(err, results){
if (err){return err;}
// if the Foo results array is empty
if (results.length == 0){
// HOW DO I LET addFOO() KNOW THAT THE ARRAY IS EMPTY?
// somehow pass the boolean out to addFoo()
}
});
// IF Empty
// this.save(cb);
}
答案 0 :(得分:1)
简短的回答:你没有。
在addFoo
函数结束后执行回调。您基本上将其余功能放在回调中。
由于您需要访问this
,因此可以通过var self = this;
将其绑定到变量,然后在回调中使用self
。
另一种选择是使用promises和denodeify
函数将回调请求函数转换为Promise
返回函数。
答案 1 :(得分:1)
这将如下工作......
FooSchema.methods.addFoo = function(cb){
var that = this;
this.model("Foo").find(function(err, results){
if (err){return err;}
// if the Foo results array is empty
if (results.length == 0){
that.save(cb);
}
});
}
但是,如果您想根据实际要求将其传递给父母,那么您可以按照以下方式尝试...
FooSchema.methods.addFoo = function(cb){
var that = this;
this.model("Foo").find(function(err, results){
if (err){return err;}
// if the Foo results array is empty
that.commit(!results.length);//Calling a parent function from inside callback function
});
function commit(doCommit){
if(doCommit) {
that.save(cb);
}
}
}