我通过Mongoose使用Nodejs,ExpressJs,MongoDB。我创建了一个简单的UserSchema。我将我的代码分成多个文件,因为我预见它们会变得复杂。
url'/ api / users'配置为调用'routes / user.js'中的list函数,该函数按预期发生。 UserSchema的list函数确实被调用,但它无法向调用函数返回任何内容,因此没有结果出来。
我做错了什么?
对其进行建模我认为我对userSchema.statics.list
的功能定义做错了app.js
users_module = require('./custom_modules/users.js'); // I have separated the actual DB code into another file
mongoose.connect('mongodb:// ******************');
var db = mongoose.connection;
db.on('error', console.error.bind(console, 'connection error:'));
db.once('open', function callback() {
users_module.init_users();
});
app.get('/api/users', user.list);
custom_modules / users.js
function init_users() {
userSchema = mongoose.Schema({
usernamename: String,
hash: String,
});
userSchema.statics.list = function () {
this.find(function (err, users) {
if (!err) {
console.log("Got some data"); // this gets printed
return users; // the result remains the same if I replace this with return "hello"
} else {
return console.log(err);
}
});
}
UserModel = mongoose.model('User', userSchema);
} // end of init_users
exports.init_users = init_users;
路由/ user.js的
exports.list = function (req, res) {
UserModel.list(function (users) {
// this code never gets executed
console.log("Yay ");
return res.json(users);
});
}
答案 0 :(得分:1)
实际上在你的代码中你传递了一个回调,它在函数userSchema.statics.list
中永远不会被处理
您可以尝试以下代码:
userSchema.statics.list = function (calbck) {
this.find(function (err, users) {
if (!err) {
calbck(null, users); // this is firing the call back and first parameter should be always error object (according to guidelines). Here no error, so pass null (we can't skip)
} else {
return calbck(err, null); //here no result. But error object. (Here second parameter is optional if skipped by default it will be undefined in callback function)
}
});
}
因此,您应该更改传递给此函数的回调。即。
exports.list = function (req, res){
UserModel.list(function(err, users) {
if(err) {return console.log(err);}
return res.json(users);
});
}