386

I've just started getting into Node.js. I come from a PHP background, so I'm fairly used to using MySQL for all my database needs.

How can I use MySQL with Node.js?

4
  • 5
    what did you end up going with? there's some good information below, I would be interested in hearing what your experiences were Commented Nov 14, 2012 at 20:10
  • 7
    @Landon, actually went with node-mysql for a few reasons, mainly because it's in fairly active development, and seems to be the most widely used. I also really like the multipleStatements function. Commented Nov 16, 2012 at 0:35
  • @crawf What do you prefer, PHP or Node.js? I hopped into PHP/MySQL, but am thinking of switching to node since it would prolly feel much more natural considering the syntax is JS syntax Commented Mar 20, 2018 at 19:19
  • 1
    @Anthony Personal preference I suppose, it depends on the ecosystem you're developing in, if you're in a team, etc. This original post is ancient, and a lot has changed in the Node landscape where its far more commonplace for front and back end work. I'd say if you have time to give Node a go, and its great paired with things like socket.io for real-time web sockets. Commented Mar 21, 2018 at 23:39

9 Answers 9

432

Check out the node.js module list

  • node-mysql — A node.js module implementing the MySQL protocol
  • node-mysql2 — Yet another pure JS async driver. Pipelining, prepared statements.
  • node-mysql-libmysqlclient — MySQL asynchronous bindings based on libmysqlclient

node-mysql looks simple enough:

var mysql      = require('mysql');
var connection = mysql.createConnection({
  host     : 'example.org',
  user     : 'bob',
  password : 'secret',
});

connection.connect(function(err) {
  // connected! (unless `err` is set)
});

Queries:

var post  = {id: 1, title: 'Hello MySQL'};
var query = connection.query('INSERT INTO posts SET ?', post, function(err, result) {
  // Neat!
});
console.log(query.sql); // INSERT INTO posts SET `id` = 1, `title` = 'Hello MySQL'
Sign up to request clarification or add additional context in comments.

13 Comments

+1 for node-mysql actually making it easier to use prepared statements than to not use them
github.com/bminer/node-mysql-queues for transactions and multiple statement support for use with node-mysql.
+1 for node-mysql too. What can better than just requireing a javascript library
@KevinLaity I was under the impression that node-mysql does not yet have prepared statements implemented. The syntax just looks similar. Instead, it appears that, for now, special characters are being escaped.
Plus you can get your database name adding 'database' to the connection object
|
29

node-mysql is probably one of the best modules out there used for working with MySQL database which is actively maintained and well documented.

Comments

20

Since this is an old thread just adding an update:

To install the MySQL node.js driver:

If you run just npm install mysql, you need to be in the same directory that your run your server. I would advise to do it as in one of the following examples:

For global installation:

npm install -g mysql

For local installation:

1- Add it to your package.json in the dependencies:

"dependencies": {
    "mysql": "~2.3.2",
     ...

2- run npm install


Note that for connections to happen you will also need to be running the mysql server (which is node independent)

To install MySQL server:

There are a bunch of tutorials out there that explain this, and it is a bit dependent on operative system. Just go to google and search for how to install mysql server [Ubuntu|MacOSX|Windows]. But in a sentence: you have to go to http://www.mysql.com/downloads/ and install it.

1 Comment

npm install --save mysql will install it add it to your package.json automatically
12

Here is production code which may help you.

Package.json

{
  "name": "node-mysql",
  "version": "0.0.1",
  "dependencies": {
    "express": "^4.10.6",
    "mysql": "^2.5.4"
  }
}

Here is Server file.

var express   =    require("express");
var mysql     =    require('mysql');
var app       =    express();

var pool      =    mysql.createPool({
    connectionLimit : 100, //important
    host     : 'localhost',
    user     : 'root',
    password : '',
    database : 'address_book',
    debug    :  false
});

function handle_database(req,res) {

    pool.getConnection(function(err,connection){
        if (err) {
          connection.release();
          res.json({"code" : 100, "status" : "Error in connection database"});
          return;
        }   

        console.log('connected as id ' + connection.threadId);

        connection.query("select * from user",function(err,rows){
            connection.release();
            if(!err) {
                res.json(rows);
            }           
        });

        connection.on('error', function(err) {      
              res.json({"code" : 100, "status" : "Error in connection database"});
              return;     
        });
  });
}

app.get("/",function(req,res){-
        handle_database(req,res);
});

app.listen(3000);

Reference : https://codeforgeek.com/2015/01/nodejs-mysql-tutorial/

1 Comment

This code seems screwed up.. many errors including Cannot read property 'release' of undefined
4

Imo, you should try MySQL Connector/Node.js which is the official Node.js driver for MySQL. See ref-1 and ref-2 for detailed explanation. I have tried mysqljs/mysql which is available here, but I don't find detailed documentation on classes, methods, properties of this library.

So I switched to the standard MySQL Connector/Node.js with X DevAPI, since it is an asynchronous Promise-based client library and provides good documentation. Take a look at the following code snippet :

const mysqlx = require('@mysql/xdevapi');
const rows = [];

mysqlx.getSession('mysqlx://localhost:33060')
.then(session => {
    const table = session.getSchema('testSchema').getTable('testTable');

    // The criteria is defined through the expression.
    return table.update().where('name = "bar"').set('age', 50)
        .execute()
        .then(() => {
            return table.select().orderBy('name ASC')
                .execute(row => rows.push(row));
        });
})
.then(() => {
    console.log(rows);
});

Comments

3

KnexJs can be used as an SQL query builder in both Node.JS and the browser. I find it easy to use. Let try it - Knex.js

$ npm install knex --save
# Then add one of the following (adding a --save) flag:
$ npm install pg
$ npm install sqlite3
$ npm install mysql
$ npm install mysql2
$ npm install mariasql
$ npm install strong-oracle
$ npm install oracle
$ npm install mssql


var knex = require('knex')({
  client: 'mysql',
  connection: {
    host : '127.0.0.1',
    user : 'your_database_user',
    password : 'your_database_password',
    database : 'myapp_test'
  }
});

You can use it like this

knex.select('*').from('users')

or

knex('users').where({
  first_name: 'Test',
  last_name:  'User'
}).select('id')

Comments

1

You can also try out a newer effort known as Node.js DB that aims to provide a common framework for several database engines. It is built with C++ so performance is guaranteed.

Specifically you could use its db-mysql driver for Node.js MySQL support.

7 Comments

node-db is no longer supported (inactive for 8 months, uses deprecated node-waf) and the installation failed for me.
"It is built with C++ so performance is guaranteed" - simply using C++ does not guarantee performance, it still has to be programmed correctly.
Not only is node-db unsupported, the link is dead-ish - redirected to some kind of ad site just now. Downvoting.
This is what´s wrong with the world today, idiots like this writing in forums explaining how programming works "It is built with C++ so performance is guaanteed" it´s so stupid, I just wanna cry... I´ve spent my entire life learning this busines, back i the days there were idiots of course but they was rarely heard of, now they have this gigantic fourm. Performance is guaranteed!! Is it because of the option to use malloc,is that what giarantee performance? this is a sad sad day, I sincerely hope you get out of here and never even read posts since that will turn out very wrong as well...idiot!
@Mariano, Link Down
|
0

connect the mysql database by installing a library. here, picked the stable and easy to use node-mysql module.

npm install [email protected]

var http = require('http'),
   mysql = require('mysql');

var sqlInfo = {
   host: 'localhost',
   user: 'root',
   password: 'urpass',
   database: 'dbname'
}
client = mysql.createConnection(sqlInfo);

client.connect();

For NodeJS mysql connecting and querying example

3 Comments

As far as I know alpha releases are never to be concerned as 'stable'. Correct me if I'm wrong. Alpha has the possibility to dramatically change it's API before going to final which is highly unwanted in production (and even development) code. That is, if the version numbering follows the semver.org guidelines.
"smart" quotes (‘’) turn out not to be that smart in js files.
I like this comment because it shows where to put database name
0

You can skip the ORM, builders, etc. and simplify your DB/SQL management using sqler and sqler-mdb.

-- create this file at: db/mdb/setup/create.database.sql
CREATE DATABASE IF NOT EXISTS sqlermysql
const conf = {
  "univ": {
    "db": {
      "mdb": {
        "host": "localhost",
        "username":"admin",
        "password": "mysqlpassword"
      }
    }
  },
  "db": {
    "dialects": {
      "mdb": "sqler-mdb"
    },
    "connections": [
      {
        "id": "mdb",
        "name": "mdb",
        "dir": "db/mdb",
        "service": "MySQL",
        "dialect": "mdb",
        "pool": {},
        "driverOptions": {
          "connection": {
            "multipleStatements": true
          }
        }
      }
    ]
  }
};

// create/initialize manager
const manager = new Manager(conf);
await manager.init();

// .sql file path is path to db function
const result = await manager.db.mdb.setup.create.database();

console.log('Result:', result);

// after we're done using the manager we should close it
process.on('SIGINT', async function sigintDB() {
  await manager.close();
  console.log('Manager has been closed');
});

Comments

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.