一尘不染

在node.js中调用函数时,为什么会得到一个空对象?

angularjs

app.get我的node.jsExpress Server中有这个。

  app.get('/api/court/:num', function(req, res, next) {
    var courts = new CourtsHandler;
    if (req.params.num == 0) //get array of all courts
      return res.send(200, courts.courtsAmount());          
  });

调用此函数:

  this.courtsAmount = function(){
  connection.query('SELECT COUNT(*) AS result from courts', function(err, rows, fields){
      if (err) throw err;
      connection.end();
      console.log(rows[0].result);
      return rows[0].result;
      });
    };

正在调用courtsAmount函数。但是,在我的客户看来,我没有得到重用。相反,我只是得到一个空对象。

我认为这与我.query有一个回调有关,因此res.sendcourtsAmount实际触发之前发送了一个空对象。

我该如何解决这个问题?


阅读 347

收藏
2020-07-04

共1个答案

一尘不染

您的courtsAmount不返回任何内容。相反,您应该在其中使用回调(或Promise)来执行以下操作:

this.courtsAmount = function(callback){
connection.query('SELECT COUNT(*) AS result from courts', function(err, rows, fields){
    if (err) throw err;
    connection.end();
    console.log(rows[0].result);
    callback(rows[0].result);
    });
  };

app.get('/api/court/:num', function(req, res, next) {
 var courts = new CourtsHandler;
 if (req.params.num == 0) //get array of all courts
   courts.courtsAmount(function(result) { res.send(200, result) });
});
2020-07-04