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 🙏

© 2026 – Pkg Stats / Ryan Hefner

@edadma/rdb

v0.1.7

Published

Lightweight embeddable SQL database engine for JavaScript and TypeScript

Readme

@edadma/rdb

A lightweight, in-memory SQL database for JavaScript and TypeScript. No native dependencies, no external services — just import and query. Follows PostgreSQL conventions for SQL syntax, identifier handling, and type casting.

Installation

npm install @edadma/rdb

Quick Start

import { ConnectSQL } from '@edadma/rdb';

const db = new ConnectSQL();

db.execute(`
  CREATE TABLE users (
    id SERIAL,
    name TEXT NOT NULL,
    email TEXT,
    PRIMARY KEY (id)
  )
`);

db.execute("INSERT INTO users (name, email) VALUES ('Alice', '[email protected]')");
db.execute("INSERT INTO users (name, email) VALUES ('Bob', '[email protected]')");

const [{ rows, fields }] = db.execute('SELECT * FROM users');
// rows:   [{ id: 1, name: 'Alice', email: '[email protected]' }, ...]
// fields: [{ name: 'id', dataType: 'serial' }, { name: 'name', dataType: 'text' }, ...]

Row Modes

By default, SELECT rows are returned as objects keyed by column name. Use rowMode: 'array' for positional arrays instead.

// Set default for all queries
const db = new ConnectSQL({ rowMode: 'array' });

// Or override per call
const [{ rows }] = db.execute('SELECT id, name FROM users', { rowMode: 'array' });
// rows: [[1, 'Alice'], [2, 'Bob']]

SQL Compatibility

RDB follows PostgreSQL conventions:

  • Case-insensitive keywordsSELECT, select, and Select are equivalent
  • Unquoted identifier folding — identifiers fold to lowercase (CREATE TABLE Users → table name users)
  • Double-quoted identifiers — preserve case ("MixedCase" stays as-is)
  • String escaping — doubled single quotes ('it''s') and E-strings (E'it\'s')
  • Operators — both != and <> for not-equal
  • Type casting:: operator and CAST(expr AS type)

Supported SQL

Data Types

| Type | Description | |------|-------------| | SMALLINT | 16-bit integer | | INT / INTEGER | 32-bit integer | | BIGINT | 64-bit integer | | SMALLSERIAL / SERIAL / BIGSERIAL | Auto-incrementing integers | | DOUBLE / FLOAT / REAL | Double-precision float | | NUMERIC(p, s) / DECIMAL(p, s) | Fixed-precision decimal | | TEXT | Variable-length string | | CHAR(n) | Fixed-length string | | VARCHAR(n) | Variable-length string (max n chars) | | BOOLEAN | True/false | | DATE / TIME / TIMESTAMP | Date and time types | | TIMESTAMP WITH TIME ZONE | Timezone-aware timestamp | | INTERVAL | Duration | | UUID | UUID (use DEFAULT gen_random_uuid()) | | JSON / JSONB | JSON objects and arrays | | BYTEA | Binary data | | ENUM | Custom enumerated types | | INT[], TEXT[], etc. | Typed arrays |

DDL

CREATE TABLE, CREATE TABLE IF NOT EXISTS
DROP TABLE, DROP TABLE IF EXISTS
ALTER TABLE (ADD/DROP/RENAME COLUMN, ADD CONSTRAINT, etc.)
CREATE TYPE ... AS ENUM, DROP TYPE
CREATE INDEX, CREATE UNIQUE INDEX, DROP INDEX
TRUNCATE TABLE

DML

INSERT INTO ... VALUES
INSERT INTO ... SELECT         -- insert from a query
UPDATE ... SET ... WHERE
UPDATE ... SET ... FROM ...    -- bulk update with join semantics
DELETE FROM ... WHERE
TRUNCATE TABLE                 -- fast table reset, resets serial sequences

Queries

SELECT, SELECT DISTINCT, WHERE, ORDER BY, LIMIT, OFFSET
GROUP BY, HAVING
JOIN (INNER/LEFT/RIGHT/FULL/CROSS)
LATERAL joins                  -- correlated subqueries in FROM
Subqueries, EXISTS, IN, = ANY(...)
VALUES as standalone query and FROM source
Column aliases: AS alias (col1, col2, ...)
CASE expressions, BETWEEN, LIKE, ILIKE
UNION, INTERSECT, EXCEPT
OVERLAPS                       -- date/time range overlap test
CAST(expr AS type), expr::type

Constraints

PRIMARY KEY, UNIQUE, NOT NULL, DEFAULT
FOREIGN KEY ... REFERENCES ... ON DELETE/UPDATE (CASCADE, SET NULL, RESTRICT)

Transactions

BEGIN, COMMIT, ROLLBACK

Prepared Statements

PREPARE name AS statement      -- with $1, $2, ... parameters
EXECUTE name(arg1, arg2, ...)
DEALLOCATE name

Aggregate Functions

COUNT, SUM, AVG, MIN, MAX, string_agg, array_agg, bool_and, bool_or, every, variance, var_samp, var_pop, stddev, stddev_samp, stddev_pop

Built-in Functions

Text: lower, upper, initcap, length, trim, ltrim, rtrim, btrim, substring, left, right, lpad, rpad, replace, translate, concat, concat_ws, repeat, reverse, position, split_part, ascii, chr, regexp_replace, regexp_match, starts_with, ends_with

Numeric: abs, ceil, floor, round, trunc, sign, mod, %, power, sqrt, cbrt, exp, ln, log10, log, pi, degrees, radians, sin, cos, tan, asin, acos, atan, atan2, sinh, cosh, tanh, asinh, acosh, atanh, div, factorial, gcd, lcm, random, greatest, least, & (AND), | (OR), # (XOR), ~ (NOT), << (shift left), >> (shift right)

Date/Time: now, current_date, current_time, date_part, EXTRACT, date_trunc, make_date, make_time, make_timestamp, make_interval, age, to_char, to_date, to_timestamp, to_number, isfinite

Array: array_length, array_append, array_prepend, array_concat, array_cat, array_slice, array_remove, array_replace, array_position, array_distinct, array_lower, array_upper, array_ndims, cardinality, string_to_array, array_to_string

Other: coalesce, nullif, typeof, gen_random_uuid, octet_length, encode, decode

API

new ConnectSQL(options?)

Creates a new database instance. Each instance is fully isolated.

| Option | Type | Default | Description | |--------|------|---------|-------------| | rowMode | 'object' \| 'array' | 'object' | Default row format for SELECT results |

db.execute(sql, options?)

Executes one or more SQL statements separated by ;. Returns an array of results.

| Option | Type | Default | Description | |--------|------|---------|-------------| | rowMode | 'object' \| 'array' | constructor default | Row format for this call |

Result Types

Every result has a command field for easy discrimination:

// DDL
{ command: 'create table', table: string }
{ command: 'drop table', table: string }
{ command: 'create type', type: string }
{ command: 'drop type', type: string }
{ command: 'create index', index: string }
{ command: 'drop index', index: string }
{ command: 'truncate table', table: string }
{ command: 'alter table' }

// DML
{ command: 'insert', result: Record<string, any> }
{ command: 'select', rows: T[], fields: { name: string, dataType: string }[] }
{ command: 'update', rows: number }
{ command: 'delete', rows: number }

// Transactions
{ command: 'begin' }
{ command: 'commit' }
{ command: 'rollback' }

// Prepared statements
{ command: 'prepare', name: string }
{ command: 'deallocate', name: string }

Value Mapping

| SQL Type | JavaScript Type | |----------|----------------| | INT, BIGINT, DOUBLE, NUMERIC | number | | TEXT, CHAR, VARCHAR | string | | BOOLEAN | boolean | | UUID | string | | TIMESTAMP | Date | | ENUM | string (label) | | JSON array | Array | | JSON object | Object | | NULL | null |

TypeScript

Full type definitions are included. Use discriminated unions to narrow result types:

import { ConnectSQL, ExecuteResult } from '@edadma/rdb';

const db = new ConnectSQL();
const results: ExecuteResult[] = db.execute('SELECT * FROM users');

for (const result of results) {
  if (result.command === 'select') {
    // result.rows and result.fields are typed here
  }
}

Example

import { ConnectSQL } from '@edadma/rdb';

const db = new ConnectSQL();

db.execute(`
  CREATE TYPE status AS ENUM ('active', 'inactive');
  CREATE TABLE products (
    id SERIAL,
    name TEXT NOT NULL,
    price NUMERIC(10,2),
    status status DEFAULT 'active',
    tags JSON,
    created_at TIMESTAMP,
    PRIMARY KEY (id)
  )
`);

db.execute(`
  INSERT INTO products (name, price, tags, created_at) VALUES
    ('Laptop', 999.99, '["electronics", "computers"]', '2025-01-15 10:30:00');
  INSERT INTO products (name, price, tags, created_at) VALUES
    ('Coffee', 4.50, '["food", "organic"]', '2025-01-16 08:00:00')
`);

const [{ rows }] = db.execute(`
  SELECT name, price FROM products
  WHERE price > 10
  ORDER BY price DESC
`);

console.log(rows); // [{ name: 'Laptop', price: 999.99 }]

License

ISC