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

@a2lix/schemql

v0.1.1

Published

A lightweight TypeScript library that enhances your SQL workflow by combining raw SQL with targeted type safety and schema validation

Downloads

112

Readme

npm version npm downloads License CI

SchemQl

SchemQl is a lightweight TypeScript library that enhances your SQL workflow by combining raw SQL with targeted type safety and schema validation. It simplifies SQL usage in TypeScript by offering two main features:

  • Robust Query Validation: Ensures the integrity of your query parameters and results through powerful schema validation, reducing runtime errors and data inconsistencies.
  • Selective SQL Typing: Leverages TypeScript to provide real-time autocomplete and validation for specific parts of your SQL queries, targeting literal string parameters for tables, columns, parameters, and selections.

SchemQl is designed to complement your existing SQL practices, not replace them. It allows you to write raw SQL while benefiting from enhanced safety for specific query elements. Key characteristics include:

  • Database Agnostic: Works with any database management system (DBMS) that has a compatible JavaScript/TypeScript client library, allowing you to fully leverage your database-specific features.
  • SQL-First approach: Provides the freedom to write complex SQL queries while offering targeted type safety for literal string parameters.
  • Lightweight: Focused on core features and intends to remain so.
  • Targeted Type Safety: Offers TypeScript support for enhanced developer experience with literal string parameters, balancing flexibility and safety.

SchemQl is ideal for developers who appreciate the power of raw SQL but want added security and convenience through schema validation and targeted TypeScript integration for specific query elements.

This library relies solely on Zod, though future development could include support for @effect/schema as well.

image

Installation

To install SchemQl, use npm:

npm i @a2lix/schemql

Usage

Here's a basic example of how to use SchemQl:

// Advice: use your favorite AI to generate your Zod schema from your SQL

import { parseJsonPreprocessor } from '@a2lix/schemql'
import { z } from 'zod'

export const zUserDb = z.object({
  id: z.string(),
  email: z.string(),
  metadata: z.preprocess(
    parseJsonPreprocessor,   // Optionally let Zod handle JSON parsing if you use JSON data
    z.object({
      role: z.enum(['user', 'admin']).default('user'),
    })
  ),
  created_at: z.number().int(),
  disabled_at: z.number().int().nullable(),
})

type UserDb = z.infer<typeof zUserDb>

// ...

export interface DB {
  users: UserDb
  // ...other mappings
}
// Example with better-sqlite3, but you use your favorite
import { SchemQl } from '@a2lix/schemql'
import SQLite from 'better-sqlite3'
import type { DB } from '@/schema'

const db = new SQLite('sqlite.db')

const schemQl = new SchemQl<DB>({
  queryFns: {    // Optional at this level, but eases usage
    first: (sql, params) => {
      const stmt = db.prepare(sql)
      return stmt.get(params)
    },
    firstOrThrow: (sql, params) => {
      const stmt = db.prepare(sql)
      const first = stmt.get(params)
      if (first === undefined) {
        throw new Error('No result found')
      }
      return first
    },
    all: (sql, params) => {
      const stmt = db.prepare(sql)
      return params ? stmt.all(params) : stmt.all()
    }
  },
  shouldStringifyObjectParams: true,    // Optional. If you use JSON data, SchemQl can handle parameter stringification automatically
})
// Simple use with resultSchema only and no SQL literal string
const allUsers = await schemQl.all({
  resultSchema: zUserDb.array(),
})(`
  SELECT *
  FROM users
`)

// More advanced
const firstUser = await schemQl.first({
  params: { id: 'uuid-1' },
  paramsSchema: zUserDb.pick({ id: true }),
  resultSchema: z.object({ user_id: zUserDb.shape.id, length_id: z.number() }),
})((s) => s.sql`
  SELECT
    ${'@users.id'} AS ${'$user_id'},
    LENGTH(${'@users.id'}) AS ${'$length_id'}
  FROM ${'@users'}
  WHERE
    ${'@users.id'} = ${':id'}
`);

const allUsersLimit = await schemQl.all({
  params: { limit: 10 },
  resultSchema: zUserDb.array(),
})((s) => s.sql`
  SELECT
    ${'@users.*'}
  FROM ${'@users'}
  LIMIT ${':limit'}
`)

const allUsersPaginated = await schemQl.all({
  params: {
    limit: data.query.limit + 1,
    cursor: data.query.cursor,
    dir: data.query.dir,
  },
  paramsSchema: zRequestQuery,
  resultSchema: zUserDb.array(),
})((s) => s.sql`
  SELECT
    ${'@users.*'}
  FROM ${'@users'}
  ${s.sqlCond(
    !!data.query.cursor,
    s.sql`WHERE ${'@users.id'} ${s.sqlRaw(data.query.dir === 'next' ? '>' : '<')} ${':cursor'}`
  )}
  ORDER BY ${'@users.id'} ${s.sqlCond(data.query.dir === 'prev', 'DESC', 'ASC')}
  LIMIT ${':limit'}
`)

// Automatically stringify JSON params 'metadata' (by schemQl if enabled)
// and get parsed JSON metadata, as well (if Zod preprocess set rightly)
const firstSession = await schemQl.firstOrThrow({
  params: {
    id: uuidv4(),
    user_id: 'uuid-1',
    metadata: {
      account: 'credentials',
    },
    expiresAtAdd: 10000,
  },
  paramsSchema: z.object({
    ...zSessionDb.pick({ id: true, user_id: true, metadata: true }).shape,
    expiresAtAdd: z.number().int(),
  }),
  resultSchema: zSessionDb,
})((s) => s.sql`
  INSERT INTO
    ${{ sessions: ['id', 'user_id', 'metadata', 'expires_at'] }}
  VALUES
    (
      ${':id'}
      , ${':user_id'}
      , json(${':metadata'})
      , strftime('%s', 'now') + ${':expiresAtAdd'}
    )
  RETURNING *
`)

Literal String SQL Helpers

| Helper Syntax | Raw SQL Result | Description | |:--- | :---: | :--- | | ${'@table1'} | table1 | Prefix @ eases table selection/validation | | ${'@table1.col1'} | table1.col1 | ... and column selection/validation | | ${'@table1.col1-'} | col1 | ... ending - excludes the table name (Useful when table renamed) | | ${"@table1.col1->'json1'"} | table1.col1->'json1' | ... similar with JSON field selection | | ${"@table1.col1->>'json1'"} | table1.col1->>'json1' | ... similar with JSON field selection (raw) | | ${'$resultCol1'} | resultCol1 | Prefix $ eases selection/validation of fields expected by the resultSchema | | ${':param1'} | :param1 | Prefix : eases selection/validation of expected params | | ${{ table1: ['col1', 'col2'] }} | table1 (col1, col2) | object eases generation of INSERT/UPDATE queries | | ${s.sqlCond(1, 'ASC', 'DESC')} | ASC | s.sqlCond eases generation of conditional SQL | | ${s.sqlRaw(var)} | var | s.sqlRaw eases generation of raw SQL |

Contributing

This library intends to stay lightweight and simple but contributions are welcome! Please feel free to submit a Pull Request.

License

This project is licensed under the MIT License.