web-dev-qa-db-ja.com

Node.jsがMySQLクエリから結果を返す

データベースから16進コードを取得する次の関数があります

function getColour(username, roomCount)
{
    connection.query('SELECT hexcode FROM colours WHERE precedence = ?', [roomCount], function(err, result)
    {
        if (err) throw err;
        return result[0].hexcode;
    });
}

私の問題は、コールバック関数で結果を返しているが、getColour関数が何も返さないことです。 getColour関数がresult[0].hexcodeの値を返すようにします。

GetColourを呼び出した時点では何も返されません

私は次のようなことをしようとしました

function getColour(username, roomCount)
{
    var colour = '';
    connection.query('SELECT hexcode FROM colours WHERE precedence = ?', [roomCount], function(err, result)
    {
        if (err) throw err;
        colour = result[0].hexcode;
    });
    return colour;
}

もちろん、SELECTクエリはcolourの値を返すまでに終了しています

22
Pattle

コールバックでのみ、dbクエリの結果に対して処理を行う必要があります。と同じように。

function getColour(username, roomCount, callback)
{
    connection.query('SELECT hexcode FROM colours WHERE precedence = ?', [roomCount], function(err, result)
    {
        if (err) 
            callback(err,null);
        else
            callback(null,result[0].hexcode);

    });

}

//call Fn for db query with callback
getColour("yourname",4, function(err,data){
        if (err) {
            // error handling code goes here
            console.log("ERROR : ",err);            
        } else {            
            // code to execute on data retrieval
            console.log("result from db is : ",data);   
        }    

});
53
mithunsatheesh