web-dev-qa-db-ja.com

Node.js経由でPostgresに接続する方法

Postgresデータベースを作成しようとしているので、postgresをインストールし、initdb /usr/local/pgsql/dataを使用してサーバーを起動しました。その後、postgres -D /usr/local/pgsql/dataを使用してそのインスタンスを起動しました。たとえば、connectionstringはどうなるのか、それがどのようにわかるのか。

115
Doboy

Node.jsをPostgresデータベースに接続するために使用した例を次に示します。

私が使用したnode.jsのインターフェースはここにあります https://github.com/brianc/node-postgres

var pg = require('pg');
var conString = "postgres://YourUserName:YourPassword@localhost:5432/YourDatabase";

var client = new pg.Client(conString);
client.connect();

//queries are queued and executed one after another once the connection becomes available
var x = 1000;

while (x > 0) {
    client.query("INSERT INTO junk(name, a_number) values('Ted',12)");
    client.query("INSERT INTO junk(name, a_number) values($1, $2)", ['John', x]);
    x = x - 1;
}

var query = client.query("SELECT * FROM junk");
//fired after last row is emitted

query.on('row', function(row) {
    console.log(row);
});

query.on('end', function() {
    client.end();
});



//queries can be executed either via text/parameter values passed as individual arguments
//or by passing an options object containing text, (optional) parameter values, and (optional) query name
client.query({
    name: 'insert beatle',
    text: "INSERT INTO beatles(name, height, birthday) values($1, $2, $3)",
    values: ['George', 70, new Date(1946, 02, 14)]
});

//subsequent queries with the same name will be executed without re-parsing the query plan by postgres
client.query({
    name: 'insert beatle',
    values: ['Paul', 63, new Date(1945, 04, 03)]
});
var query = client.query("SELECT * FROM beatles WHERE name = $1", ['john']);

//can stream row results back 1 at a time
query.on('row', function(row) {
    console.log(row);
    console.log("Beatle name: %s", row.name); //Beatle name: John
    console.log("Beatle birth year: %d", row.birthday.getYear()); //dates are returned as javascript dates
    console.log("Beatle height: %d' %d\"", Math.floor(row.height / 12), row.height % 12); //integers are returned as javascript ints
});

//fired after last row is emitted
query.on('end', function() {
    client.end();
});

更新:-query.on関数は非推奨になったため、上記のコードは意図したとおりに動作しません。この解決策として:- query.onは関数ではありません

303
Kuberchaun

簡単なアプローチ: pg-promise 、promiseに慣れている場合;)

var pgp = require('pg-promise')(/*options*/);

var cn = {
    Host: 'localhost', // server name or IP address;
    port: 5432,
    database: 'myDatabase',
    user: 'myUser',
    password: 'myPassword'
};
// alternative:
// var cn = 'postgres://username:password@Host:port/database';

var db = pgp(cn); // database instance;

// select and return user name from id:
db.one('SELECT name FROM users WHERE id = $1', 123)
    .then(user => {
        console.log(user.name); // print user name;
    })
    .catch(error => {
        console.log(error); // print the error;
    });

参照: データベースモジュールを正しく宣言する方法

28
vitaly-t

別のオプションを追加するだけです- Node-DBI を使用してPGに接続しますが、MySQLおよびsqliteと通信できるためです。 Node-DBIには、動的ステートメントをオンザフライで実行するのに便利なselect文を作成する機能も含まれています。

クイックサンプル(別のファイルに保存されている構成情報を使用):

var DBWrapper = require('node-dbi').DBWrapper;
var config = require('./config');

var dbConnectionConfig = { Host:config.db.Host, user:config.db.username, password:config.db.password, database:config.db.database };
var dbWrapper = new DBWrapper('pg', dbConnectionConfig);
dbWrapper.connect();
dbWrapper.fetchAll(sql_query, null, function (err, result) {
  if (!err) {
    console.log("Data came back from the DB.");
  } else {
    console.log("DB returned an error: %s", err);
  }

  dbWrapper.close(function (close_err) {
    if (close_err) {
      console.log("Error while disconnecting: %s", close_err);
    }
  });
});

config.js:

var config = {
  db:{
    Host:"plop",
    database:"musicbrainz",
    username:"musicbrainz",
    password:"musicbrainz"
  },
}
module.exports = config;
12
mlaccetti

1つの解決策は、クライアントのpoolを次のように使用することです。

const { Pool } = require('pg');
var config = {
    user: 'foo', 
    database: 'my_db', 
    password: 'secret', 
    Host: 'localhost', 
    port: 5432, 
    max: 10, // max number of clients in the pool
    idleTimeoutMillis: 30000
};
const pool = new Pool(config);
pool.on('error', function (err, client) {
    console.error('idle client error', err.message, err.stack);
});
pool.query('SELECT $1::int AS number', ['2'], function(err, res) {
    if(err) {
        return console.error('error running query', err);
    }
    console.log('number:', res.rows[0].number);
});

this resource で詳細を確認できます。

1
OmG

Slonik は、KuberchaunとVitalyが提案した回答の代替です。

Slonikは 安全な接続処理 ;を実装しています。接続プールを作成すると、接続のオープン/処理が自動的に処理されます。

import {
  createPool,
  sql
} from 'slonik';

const pool = createPool('postgres://user:password@Host:port/database');

return pool.connect((connection) => {
  // You are now connected to the database.
  return connection.query(sql`SELECT foo()`);
})
  .then(() => {
    // You are no longer connected to the database.
  });

「postgres:// user:password @ Host:port/database」は接続文字列です(より一般的には接続URIまたはDSN)。

このアプローチの利点は、スクリプトが、接続のハングを誤って残さないことを保証することです。

Slonikを使用することのその他の利点は次のとおりです。

1
Gajus