A simple yet powerful module to allow you to use ES6 tagged template strings for prepared/escaped statements in mysql / mysql2 and postgres (and with simple, I mean only 7 lines of code!).
Example for escaping queries (callbacks omitted):
let SQL = require('sql-template-strings');
let book = 'harry potter';
mysql.query('SELECT author FROM books WHERE name = ?', [book]);
mysql.query(SQL`SELECT author FROM books WHERE name = ${book}`);
pg.query('SELECT author FROM books WHERE name = $1', [book]);
pg.query(SQL`SELECT author FROM books WHERE name = ${book}`);
This might not seem like a big deal, but when you do an INSERT with a lot columns writing all the placeholders becomes a nightmare:
db.query(
'INSERT INTO books (name, author, isbn, category, recommended_age, pages, price) VALUES (?, ?, ?, ?, ?, ?, ?)',
[name, author, isbn, category, recommendedAge, pages, price]
);
db.query(SQL`
INSERT
INTO books
(name, author, isbn, category, recommended_age, pages, price)
VALUES (${name}, ${author}, ${isbn}, ${category}, ${recommendedAge}, ${pages}, ${price})
`);
Also template strings support line breaks, while normal strings do not.
Please note that postgre requires prepared statements to be named, otherwise the parameters will be escaped and replaced on the client side.
You can still use SQL template strings though, you just need to assign a name to the query before using it:
pg.query({name: 'my_query', text: 'SELECT author FROM books WHERE name = $1', values: [book]});
let query = SQL`SELECT author FROM books WHERE name = ${book}`;
query.name = 'my_query';
pg.query(query);
pg.query(_.assign(SQL`SELECT author FROM books WHERE name = ${book}`, {name: 'my_query'}))