Package Exports
- sql-template-strings
This package does not declare an exports field, so the exports above have been automatically detected and optimized by JSPM instead. If any package subpath is missing, it is recommended to post an issue to the original package (sql-template-strings) to support the "exports" field. If that is not possible, create a JSPM override to customize the exports field for this package.
Readme
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 (for mysql2 prepared statements, just replace query with execute):
mysql.query('SELECT author FROM books WHERE name = ?', [book]);
// is equivalent to
mysql.query(SQL`SELECT author FROM books WHERE name = ${book}`);
// postgres:
pg.query('SELECT author FROM books WHERE name = $1', [book]);
// is equivalent to
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]
);
// is better written as
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:
// old way
pg.query({name: 'my_query', text: 'SELECT author FROM books WHERE name = $1', values: [book]});
//with template strings
let query = SQL`SELECT author FROM books WHERE name = ${book}`;
query.name = 'my_query';
pg.query(query);
// or using lodash
pg.query(_.assign(SQL`SELECT author FROM books WHERE name = ${book}`, {name: 'my_query'}))