繁体   English   中英

MongoDB / EJS:如何在 EJS 中进行同步查询和呈现结果值

[英]MongoDB / EJS: How to make synchronous query and render result values in EJS

我在异步编程的概念上有点挣扎,我希望有人能提供一些帮助/指导。 基本上,我正在开发一个连接到 mongodb 数据库的 node.js Web 服务器。 我正在使用 EJS 生成 HTML 文件,如下所示。

app.get("/", function(req, res){
    res.render('home', {date: getData.todaysDate(), n: getData.todaysIncidents(), nTot: getData.totalIncidents()});
}); 

大多数这些值('n' 和 'nTot')是通过查询我的数据库然后执行一些其他操作获得的,如下面的示例代码示例所示。

//------getData.js------//
exports.todaysIncidents = function() {
let server_n = 0;
Incident.find({dia: {$gt:y}}, function(err, result) {
    if (err) {
        console.log(err);
    } else{
        //do some stuff...
        server_n = 12345
        }
    }
});
return server_n;

};

问题在于: HTML 文件中打印的值始终是用于变量初始化的值,例如变量 'server_n' 为 0。 在做了一些研究后,我明白这是因为 .find(...) 是一个异步函数,所以程序立即执行指令“return server_n;”,这意味着在 HTML 文件中显示的值将是 0 和不是 12345。

我已经在 StackOverflow 中查看了其他问题,但我正在努力理解这个问题的可能解决方案,我的意思是我不可能是唯一一个经历这个的人,对吧?

你能否提供一些关于我如何解决这个问题的基本解释? 我仍在学习,很多这些概念仍然难以理解。

非常感谢。

是的,您是对的,问题是由于对查询数据库等异步操作的处理不当造成的。 那你怎么解决呢?

使用异步/等待:
在 NodeJS 中有多种处理异步操作的选项,但是,我强烈建议使用 async/await,它在语法上干净且易于理解。
简单来说,async/await 是一种指定和处理异步操作的方式。 使用async关键字指定函数是异步的,使用await关键字等待异步操作。 需要注意的一个关键事项是您只能在async函数中使用await关键字。 您可以在此处阅读有关 async/await 的更多信息。
如果您的 nodeJS 版本是 7.6 或更高版本,async/await 是开箱即用的,但是,如果您使用的是较低版本且无法升级,则可以设置像Babel这样的构建工具来使用支持的 javascript 功能在较新的 ECMAScript 规范中。

使用 async/await 时,您的代码应该是这样的:

//------getData.js------//
// NOTE: the typeof todaysIncidents is not more the regular function, 
// it's now an AsyncFunction because of the async keyword
exports.todaysIncidents = async function () {
  let server_n = 0;
  try {
    // In simple terms, the await keyword here would ensure that the DB query
    // resolves or reject before moving on to the next statement
    const incident = await Incident.find({ dia: { $gt: y } });
    // The incident variable stores the result of the query
    server_n = 12345
  } catch (err) {
    // Handle error from the DB query
    console.log(err);
  }
  return server_n;
};

.

//------The router------//
// NOTE: You also need to make the route handler an AsyncFunction
app.get("/", async function (req, res) {
  // You can await the differeint DB queries in here to ensure they resolve(or reject) before rendering the view
  const todaysDate = await getData.todaysDate();
  const todaysIncidents = await getData.todaysIncidents();
  const totalIncidents = await getData.totalIncidents();
  res.render('home', { date: todaysDate, n: todaysIncidents, nTot: totalIncidents });
}); 

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM