node.js 中的变量在 sqlite3 中的有效性

Validity of variable in node.js with sqlite3

我在 node.js 中对 sqlite3 做了一个 select 语句。我希望在 sqlite 代码块外部定义的变量 "data" 中得到结果,但它保持为空。在 sqlite 代码块中,数据变量具有正确的值。有人知道我做错了什么吗?

谢谢。

    /* Client connects via socket.io */
    io.on('connection', function(client) {
        console.log('Client connected');

        /* Client needs data... */
        client.on('needData', function(fields) {
            var data = [];
            var sql_stmt = "SELECT ...";
            if(fs.existsSync(db_file)) {
                try {
                    var db = new sqlite3.Database(db_file);
                    db.all(sql_stmt, function(err, all) {
                        data = all;
                        console.log(data); //--> data has valid values
                    }); 
                    db.close();
                    console.log(data); //--> data is empty
                }
                catch(e) {
                    console.log("Error with database. Error: ", e); 
                }   
            }
            else {
                console.log("Database file not found.");
            }

            client.emit('data', data);
        });
    });

它的发生只是因为 asynchronous Node.js 的性质,您可以通过 promises

来处理它

我推荐使用 waterfall method of async 模块

 var async=require('async');
  /* Client connects via socket.io */
  io.on('connection', function(client) {
    console.log('Client connected');

    /* Client needs data... */
    client.on('needData', function(fields) {
      async.waterfall([function(next) {
        var sql_stmt = "SELECT ...";
        if (fs.existsSync(db_file)) {
          try {
            var db = new sqlite3.Database(db_file);
            db.all(sql_stmt, function(err, all) {
            next(null,all)
            });
            db.close();
          } catch (e) {
            console.log("Error with database. Error: ", e);
            next();
          }
        } else {
          console.log("Database file not found.");
          next();
        }
      }], function(err, data) {
        if (!err) {
      client.emit('data', data);
        }
      })
    });
  });