Това изглежда правилно, но забравяте за асинхронното поведение на Javascript :). Когато кодирате това:
module.exports.getAllTasks = function(){
Task.find().lean().exec(function (err, docs) {
console.log(docs); // returns json
});
}
Можете да видите json отговора, защото използвате console.log
инструкция ВЪТРЕ в обратното извикване (анонимната функция, която предавате на .exec()) Въпреки това, когато пишете:
app.get('/get-all-tasks',function(req,res){
res.setHeader('Content-Type', 'application/json');
console.log(Task.getAllTasks()); //<-- You won't see any data returned
res.json({msg:"Hej, this is a test"}); // returns object
});
Console.log
ще изпълни getAllTasks()
функция, която не връща нищо (недефинирано), защото нещото, което наистина връща данните, които искате, е ВЪТРЕ в обратното извикване...
Така че, за да работи, ще ви трябва нещо подобно:
module.exports.getAllTasks = function(callback){ // we will pass a function :)
Task.find().lean().exec(function (err, docs) {
console.log(docs); // returns json
callback(docs); // <-- call the function passed as parameter
});
}
И можем да напишем:
app.get('/get-all-tasks',function(req,res){
res.setHeader('Content-Type', 'application/json');
Task.getAllTasks(function(docs) {console.log(docs)}); // now this will execute, and when the Task.find().lean().exec(function (err, docs){...} ends it will call the console.log instruction
res.json({msg:"Hej, this is a test"}); // this will be executed BEFORE getAllTasks() ends ;P (because getAllTasks() is asynchronous and will take time to complete)
});