Det ser korrekt ut, men du glömmer bort Javascripts asynkrona beteende :). När du kodar detta:
module.exports.getAllTasks = function(){
Task.find().lean().exec(function (err, docs) {
console.log(docs); // returns json
});
}
Du kan se json-svaret eftersom du använder en console.log
instruktion INNE i återuppringningen (den anonyma funktionen som du skickar till .exec()) Men när du skriver:
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
kommer att köra getAllTasks()
funktion som inte returnerar något (odefinierat) eftersom det som verkligen returnerar den data du vill ha är INNE i återuppringningen...
Så för att få det att fungera behöver du något sånt här:
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
});
}
Och vi kan skriva:
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)
});