gpt4 book ai didi

javascript - NodeJs 在函数内初始化数组

转载 作者:太空宇宙 更新时间:2023-11-03 22:30:12 25 4
gpt4 key购买 nike

我决定在我的nodejs项目中使用handlebars,因此对于索引页面,我想收集与帖子、页面、类别等相关的所有信息。

我有一个从数据库返回帖子的函数,如下所示;

exports.getPosts = function(req, res){

Posts.find({}, function(err, posts) {
var postsMap = {};

if (err){
res.status(400);
}
else{

posts.forEach(function(post) {
postsMap[post._id] = post;
});

res.jsonp(postsMap);
}
});
};

我想将该函数更改为以下原型(prototype);

function getPosts(req, res){
var posts = [
{
"url": "#",
"title": "home!",
"content": "home desc"
},
{
"url":"#2",
"title": "about",
"content": "about desc)"
}
]

return posts;
}

我尝试过类似下面的代码,但 posts 数组未初始化并返回未定义;

function getPosts(req, res){
var posts = [];
Posts.find({}, function(err, posts) {
var postsMap = {};
if (err){
res.status(400);
}
else{
posts.forEach(function(post) {
postsMap[post._id] = post;
});
posts.push(postsMap);
}
});
return posts;
}

我该如何处理这个问题?

最佳答案

在最后的代码片段中,传递给 Posts.find 的函数只有在函数返回后才会运行

执行顺序为(见注释):

function getPosts(req, res){
var posts = []; //// 1
Posts.find({}, function(err, posts) {
var postsMap = {}; //// 3
if (err){
res.status(400);
}
else{
posts.forEach(function(post) {
postsMap[post._id] = post;
});
posts.push(postsMap);
}
});
return posts; // 2
}

这是因为 Javascript 是异步的,不会等待 Post.find 完成对数据库的调用。相反,它会继续运行,并稍后调用 function(err, posts)

通常为了解决这个问题,我们会回调您的函数。您的代码可以重构为:

function getPosts(callback){ // Note that i removed res, req from this as it is good practice to separate out request handling from data fetching. Instead I moved it to the usage function mentioned later
Posts.find({}, function(err, posts) {
var postsMap = {};
if (err){
callback(err);
}
else{
posts.forEach(function(post) {
postsMap[post._id] = post;
});
callback(null, postsMap);
}
});
}

当您使用getPosts时,您可以执行以下操作:

function otherFunction(req, res){
getPosts(function(err, postsMap){
// This will start running once getPosts is done

if(err)
res.status(400);
else
res.jsonp(postsMap);
})

// This runs almost immediately and before getPosts is done
}

关于javascript - NodeJs 在函数内初始化数组,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/38162485/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com