Approach to multiple MySQL queries with Node.js

前端 未结 4 1617
南笙
南笙 2020-12-01 03:19

I\'m a newbie both on event/callback style programming and NodeJS. I\'m trying to implement a little http server which serves ddbb data using node-mysql module.

My p

相关标签:
4条回答
  • 2020-12-01 03:31

    One should avoid the pyramid of doom:

    var express = require('express');
    var Q = require('Q');
    var app = express();
    
    app.get('/',function(req,res){
        var mysql      = require('mysql');
    
        var connection = mysql.createConnection({
            host     : 'localhost',
            user     : 'root',
            password : ''
        });
    
        connection.connect();
    
        function doQuery1(){
            var defered = Q.defer();
            connection.query('SELECT 1 AS solution',defered.makeNodeResolver());
            return defered.promise;
        }
    
        function doQuery2(){
            var defered = Q.defer();
            connection.query('SELECT 2 AS solution',defered.makeNodeResolver());
            return defered.promise;
        }
    
        Q.all([doQuery1(),doQuery2()]).then(function(results){
            res.send(JSON.stringify(results[0][0][0].solution+results[1][0][0].solution));
            // Hint : your third query would go here
        });
    
        connection.end();
    
    });
    
    app.listen(80);
    console.log('Listening on port 80');
    

    This sample show a result which depend of 2 independent computed values. Each of these values a queried in doQuery1 and doQuery2. They are executed in sequence, but asynchronously.

    Next you can see Q.all(... which basically call the "then" callback on success. Within that callback, the calculation is done.

    Using promises (details : Github Q: promise for Javascript and wikipedia ) permit to make your code cleaner, separate computation and handling of results and move things arround.

    Look at how easy it would be to add "doQuery3" as prerequisit for your calculation !

    And bellow the "package.json" bellonging to the sample code:

    {
        "name": "hello-world",
        "description": "hello world test app",
        "version": "0.0.1",
        "private": true,
        "dependencies": {
            "express": "3.2.0",
            "q": "0.9.3",
            "mysql":"2.0.0-alpha7"
        }
    }
    
    0 讨论(0)
  • 2020-12-01 03:32

    I found the below very helpful in getting over this problem:

    Taken from http://book.mixu.net/node/ch7.html - Lots of other great examples here!!

    function async(arg, callback) {
      console.log('do something with \''+arg+'\', return 1 sec later');
      //replace setTimeout with database query  
      setTimeout(function() { callback(arg * 2); }, 1000);
    }
    // Final task (return data / perform further operations)
    function final() { console.log('Done', results); }
    
    // A simple async series:
    var items = [ 1, 2, 3, 4, 5, 6 ];
    var results = [];
    function series(item) {
      if(item) {
        async( item, function(result) {
          results.push(result);
          return series(items.shift());
        });
      } else {
        return final();
      }
    }
    series(items.shift());
    

    "Take a set of items and call the series control flow function with the first item. The series launches one async() operation, and passes a callback to it. The callback pushes the result into the results array and then calls series with the next item in the items array. When the items array is empty, we call the final() function." (from http://book.mixu.net/node/ch7.html)

    0 讨论(0)
  • 2020-12-01 03:43

    try to think other way (there is good introduction on async flow howtonode.org)

    var db = get_link_or_pool();
    
    do_queries( callback ) {
        db.query(sql1, function(err, res1) {
            if (err) {
                 callback(err);
                 return;
            }
            // use res1 ...
            db.query(sql2, function(err, res2) {
                 if (err) {
                     callback(err);
                     return;
                 }
                 callback(null, res2); // think 'return'
            }
        });
    }
    
    request_handler(req) {
        do_queries( function(err, result) {
            if(err)
                report_error(err);
            else
                write_result(req, result);
        });
    }
    
    0 讨论(0)
  • 2020-12-01 03:45

    Another solution is to concatenate all statements, ending each with a semicolon. For example, to select from multiple tables you could use this query:

    var sql = 'select * from user; select * from admin;'

    Then, you can use only one connection to execute the multiple statements:

    var connection = mysql.createConnection({multipleStatements: true}) connection.query(sql)

    Note: Multiple statements is disabled by default to prevent SQL injection. Be sure to properly escape all values (see docs).

    0 讨论(0)
提交回复
热议问题