Queries
The api for executing queries supports both callbacks and promises. I'll provide an example for both styles here. For the sake of brevity I am using the client.query
method instead of the pool.query
method - both methods support the same API. In fact, pool.query
delegates directly to client.query
internally.
Text only
If your query has no parameters you do not need to include them to the query method:
// callbackclient.query('SELECT NOW() as now', (err, res) => {if (err) {console.log(err.stack)} else {console.log(res.rows[0])}})// promiseclient.query('SELECT NOW() as now').then(res => console.log(res.rows[0])).catch(e => console.error(e.stack))
Parameterized query
If you are passing parameters to your queries you will want to avoid string concatenating parameters into the query text directly. This can (and often does) lead to sql injection vulnerabilities. node-postgres supports parameterized queries, passing your query text unaltered as well as your parameters to the PostgreSQL server where the parameters are safely substituted into the query with battle-tested parameter substitution code within the server itself.
const text = 'INSERT INTO users(name, email) VALUES($1, $2) RETURNING *'const values = ['brianc', 'brian.m.carlson@gmail.com']// callbackclient.query(text, values, (err, res) => {if (err) {console.log(err.stack)} else {console.log(res.rows[0])// { name: 'brianc', email: 'brian.m.carlson@gmail.com' }}})// promiseclient.query(text, values).then(res => {console.log(res.rows[0])// { name: 'brianc', email: 'brian.m.carlson@gmail.com' }}).catch(e => console.error(e.stack))// async/awaittry {const res = await client.query(text, values)console.log(res.rows[0])// { name: 'brianc', email: 'brian.m.carlson@gmail.com' }} catch (err) {console.log(err.stack)}
Parameters passed as the second argument to query()
will be converted to raw data types using the following rules:
null and undefined
If parameterizing null
and undefined
then both will be converted to null
.
Date
Custom conversion to a UTC date string.
Buffer
Buffer instances are unchanged.
Array
Converted to a string that describes a Postgres array. Each array item is recursively converted using the rules described here.
Object
If a parameterized value has the method toPostgres
then it will be called and its return value will be used in the query.
The signature of toPostgres
is the following:
toPostgres (prepareValue: (value) => any): any
The prepareValue
function provided can be used to convert nested types to raw data types suitable for the database.
Otherwise if no toPostgres
method is defined then JSON.stringify
is called on the parameterized value.
Everything else
All other parameterized values will be converted by calling value.toString
on the value.
Query config object
pool.query
and client.query
both support taking a config object as an argument instead of taking a string and optional array of parameters. The same example above could also be performed like so:
const query = {text: 'INSERT INTO users(name, email) VALUES($1, $2)',values: ['brianc', 'brian.m.carlson@gmail.com'],}// callbackclient.query(query, (err, res) => {if (err) {console.log(err.stack)} else {console.log(res.rows[0])}})// promiseclient.query(query).then(res => console.log(res.rows[0])).catch(e => console.error(e.stack))
The query config object allows for a few more advanced scenarios:
Prepared statements
PostgreSQL has the concept of a prepared statement. node-postgres supports this by supplying a name
parameter to the query config object. If you supply a name
parameter the query execution plan will be cached on the PostgreSQL server on a per connection basis. This means if you use two different connections each will have to parse & plan the query once. node-postgres handles this transparently for you: a client only requests a query to be parsed the first time that particular client has seen that query name:
const query = {// give the query a unique namename: 'fetch-user',text: 'SELECT * FROM user WHERE id = $1',values: [1],}// callbackclient.query(query, (err, res) => {if (err) {console.log(err.stack)} else {console.log(res.rows[0])}})// promiseclient.query(query).then(res => console.log(res.rows[0])).catch(e => console.error(e.stack))
In the above example the first time the client sees a query with the name 'fetch-user'
it will send a 'parse' request to the PostgreSQL server & execute the query as normal. The second time, it will skip the 'parse' request and send the name of the query to the PostgreSQL server.
Row mode
By default node-postgres reads rows and collects them into JavaScript objects with the keys matching the column names and the values matching the corresponding row value for each column. If you do not need or do not want this behavior you can pass rowMode: 'array'
to a query object. This will inform the result parser to bypass collecting rows into a JavaScript object, and instead will return each row as an array of values.
const query = {text: 'SELECT $1::text as first_name, select $2::text as last_name',values: ['Brian', 'Carlson'],rowMode: 'array',}// callbackclient.query(query, (err, res) => {if (err) {console.log(err.stack)} else {console.log(res.fields.map(field => field.name)) // ['first_name', 'last_name']console.log(res.rows[0]) // ['Brian', 'Carlson']}})// promiseclient.query(query).then(res => {console.log(res.fields.map(field => field.name)) // ['first_name', 'last_name']console.log(res.rows[0]) // ['Brian', 'Carlson']}).catch(e => console.error(e.stack))
Types
You can pass in a custom set of type parsers to use when parsing the results of a particular query. The types
property must conform to the Types API. Here is an example in which every value is returned as a string:
const query = {text: 'SELECT * from some_table',types: {getTypeParser: () => val => val,},}