Mysql
 sql >> Database >  >> RDS >> Mysql

nodejs express/routes e mysql

Credo che tu non tenga conto della natura non bloccante di queste chiamate. La variabile è impostata su false, la connessione viene chiamata e quindi cade in attesa di una richiamata. Restituisci immediatamente la risposta, prima che la richiamata venga completata.

module.exports = function(app){
    app.get('/register/check/u/:username', function(req, res){
        // you set the value of the output var
        var output = 'false';
        // this is a non-blocking call to getConnection which fires the callback you pass into it, once the connection happens.  The code continues on - it doesn't wait.
        pool.getConnection(function(err, conn) {
            query = conn.query('SELECT * FROM users WHERE username LIKE ?', [req.params.username]);
            query.on('error', function(err){
                throw err;
            });
            query.on('result', function(row){
                var output = 'true';
                console.log(row.email);
                console.log(output);
            });
           conn.release();
        });

        // you are getting here before the callback is called
        res.render('register/check_username', { output: output});
    });
);

Perché ottieni il giusto valore nella console? Perché alla fine la richiamata viene chiamata ed esegue ciò che ti aspetti. Viene chiamato solo dopo il res.render

Questo è più probabilmente il codice che desideri:

module.exports = function(app){
    app.get('/register/check/u/:username', function(req, res){
        pool.getConnection(function(err, conn) {
            query = conn.query('SELECT * FROM users WHERE username LIKE ?', [req.params.username]);
            query.on('error', function(err){
                throw err;
            });
            query.on('result', function(row){
                var output = 'true';
                console.log(row.email);
                console.log(output);
                res.render('register/check_username', { output: output});
            });
           conn.release();
        });
    });
);