npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@jcoreio/sequelize-sql-tag

v3.0.0

Published

a template tag for Sequelize that quotes Models' table names, attribute names, and puts other expressions into bind parameters

Downloads

1,307

Readme

@jcoreio/sequelize-sql-tag

CircleCI Build Status Coverage Status semantic-release Commitizen friendly

a template tag for Sequelize that quotes Models' table names, attribute names, and puts other expressions into bind parameters

Using the table and attribute names from your Sequelize Models is much more refactor-proof in raw queries than embedding raw identifiers.

Installation

pnpm install --save @jcoreio/sequelize-sql-tag

Compatibility

Requires sequelize@^4.0.0. Once v5 is released I'll check if it's still compatible. Not making any effort to support versions < 4, but you're welcome to make a PR.

Examples

const Sequelize = require('sequelize')
const sql = require('@jcoreio/sequelize-sql-tag')
const sequelize = new Sequelize('test', 'test', 'test', { dialect: 'postgres', logging: false })

const User = sequelize.define('User', {
  name: {type: Sequelize.STRING},
  birthday: {type: Sequelize.STRING},
  active: {type: Sequelize.BOOLEAN},
})

const lock = true

sequelize.query(...sql`SELECT ${User.rawAttributes.name} FROM ${User}
WHERE ${User.rawAttributes.birthday} = ${new Date('2346-7-11')} AND
  ${User.rawAttributes.active} = ${true}
  ${lock ? sql`FOR UPDATE` : sql``}then(console.log);
// => [ [ { name: 'Jimbob' } ], Statement { sql: 'SELECT "name" FROM "Users" WHERE "birthday" = $1 AND "active" = $2 FOR UPDATE' } ]

Sometimes custom subqueries within a Sequelize where clause can be useful. In this case, there is no way to use query parameters. You can use sql.escape in this context to inline the escaped values rather than using query parameters:

const { Op } = Sequelize

const User = sequelize.define('User', {
  name: { type: Sequelize.STRING },
})
const Organization = sequelize.define('Organization', {
  name: { type: Sequelize.STRING },
})
const OrganizationMember = sequelize.define('OrganizationMember', {
  userId: { type: Sequelize.INTEGER },
  organizationId: { type: Sequelize.INTEGER },
})
User.belongsToMany(Organization, { through: OrganizationMember })
Organization.belongsToMany(User, { through: OrganizationMember })

async function getUsersInOrganization(organizationId, where = {}) {
  return await User.findAll({
    where: {
      ...where,
      // Using a sequelize include clause to do this kind of sucks tbh
      id: {
        [Op.in]: Sequelize.literal(sql.escape`
        SELECT ${OrganizationMember.rawAttributes.userId}
        FROM ${OrganizationMember}
        WHERE ${OrganizationMember.rawAttributes.organizationId} = ${organizationId}
      `),
      },
      // SELECT "userId" FROM "OrganizationMembers" WHERE "organizationId" = 2
    },
  })
}

API

sql`query`

Creates arguments for sequelize.query.

Expressions you can embed in the template

Sequelize Model class

Will be interpolated to the model's tableName.

Model attribute (e.g. User.rawAttributes.id)

Will be interpolated to the column name for the attribute

sql`nested`

Good for conditionally including a SQL clause (see examples above)

Sequelize.literal(...)

Text will be included as-is

Arrays of values tagged template literals

Will be included as-is joined by commas.

All other values

Will be added to bind parameters.

Returns ([string, {bind: Array<string>}])

The sql, options arguments to pass to sequelize.query.

sql.escape`query`

Creates a raw SQL string with all expressions in the template escaped.

Expressions you can embed in the template

Sequelize Model class

Will be interpolated to the model's tableName.

Model attribute (e.g. User.rawAttributes.id)

Will be interpolated to the column name for the attribute

sql`nested`

Good for conditionally including a SQL clause (see examples above)

Sequelize.literal(...)

Text will be included as-is

Arrays of values tagged template literals

Will be included as-is joined by commas.

All other values

Will be escaped with QueryGenerator.escape(...). If none of the expressions is a Sequelize Model class, attribute, Sequelize instance, or nested sql`query` containing such, then an error will be thrown.

Returns (string)

The raw SQL.

sql.with(sequelize)

Returns an interface using the QueryGenerator from the given Sequelize instance. The returned interface has the following tagged template literals:

escape`query`

Just like sql.escape, but doesn't require any of the expressions to be a Sequelize Model class or attribute.

values`sql`

Used for building VALUES lists. Only works inside an array expression. The items will be included as-is joined by commas. For example:

const users = [
  { name: 'Jim', birthday: 'Jan 1 2020' },
  { name: 'Bob', birthday: 'Jan 2 1986' },
]
const { escape, values } = sql.with(sequelize)
escape`
INSERT INTO ${User}
  ${User.rawAttributes.name}, ${User.rawAttributes.birthday}
  VALUES ${users.map(({ name, birthday }) => values`(${name}, ${birthday})`)}
`
// returns `INSERT INTO "Users" "name", "birthday" VALUES ('Jim', 'Jan 1 2020'), ('Bob', 'Jan 2 1986')`

literal`sql`

Like sql.escape, but wraps the escaped SQL in Sequelize.literal.

query`sql`

Returns a function that executes the query. Example:

const Sequelize = require('sequelize')
const sql = require('@jcoreio/sequelize-sql-tag')
const sequelize = new Sequelize('test', 'test', 'test', {
  dialect: 'postgres',
  logging: false,
})

const User = sequelize.define('User', {
  name: { type: Sequelize.STRING },
})

async function insertUser(user) {
  const { query } = sql.with(sequelize)
  await query`
    INSERT INTO ${User} ${User.rawAttributes.name} VALUES (${user.name});
  `({ transaction })
}