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

@stakara/meridian-sql

v0.1.1

Published

A lightweight, functional ORM-like library for PostgreSQL

Readme

Meridian SQL

A lightweight, functional ORM-like library for PostgreSQL. Simple, type-safe database operations without the complexity of full-featured query builders.

Installation

npm install meridian-sql
# or
yarn add meridian-sql

Features

  • Functional Approach: Pure functions and immutable data structures
  • Type Safety: Full TypeScript support
  • Minimal Dependencies: Small footprint
  • Connection Pooling: Efficient database connection management
  • Transaction Support: Simple transaction handling with automatic rollback
  • Automatic Migrations: Schema migrations based on entity definitions
  • Named Parameters: Support for named parameters in raw SQL queries
  • Flexible Entities: Entity classes don't need to extend a base class

Quick Start

import 'reflect-metadata';
import { initializePool, getPool } from 'meridian-sql';
import { findBy, listAll, save, deleteBy, query } from 'meridian-sql/operations';
import { withTransaction, withSavepoint } from 'meridian-sql/transaction';
import { Table, Column } from 'meridian-sql/sql/decorators';

// Initialize the database pool
initializePool({
  connectionString: process.env.DATABASE_URL
});

// Get the pool instance
const pool = getPool();

// Define an entity class
@Table({ name: 'users' })
class User {
  @Column({ 
    unique: true,
    isIdentifier: true,
    default: () => "gen_random_uuid()"
  })
  id: string;
  
  @Column({ 
    name: "created_at", 
    default: () => "NOW()",
    isCreatedTimestamp: true
  })
  createdAt: Date;
  
  @Column({ 
    name: "updated_at", 
    default: () => "NOW()",
    isUpdatedTimestamp: true
  })
  updatedAt: Date;

  @Column({ unique: true })
  username: string;

  @Column({ unique: true })
  email: string;

  @Column({ name: 'display_name', nullable: true })
  displayName?: string;

  constructor(data?: Partial<User>) {
    this.id = data?.id || '';
    this.createdAt = data?.createdAt || new Date();
    this.updatedAt = data?.updatedAt || new Date();
    this.username = data?.username || '';
    this.email = data?.email || '';
    this.displayName = data?.displayName;
  }
}

// Run automatic migrations
import { migrate } from 'meridian/sql/migration';
import { Pool } from 'pg';
import * as entities from './entities';

const pool = new Pool({
  connectionString: process.env.DATABASE_URL
});

const entityClasses = Object.values(entities).filter(
  entity => typeof entity === 'function'
);

await migrate(pool, false, entityClasses);

// Create and save a new user
const newUser = new User({
  username: 'johndoe',
  email: '[email protected]',
  displayName: 'John Doe'
});
await save(newUser, pool);

// Find a user by ID
const user = await findBy(User, { id: newUser.id }, pool);

// Find all users
const users = await listAll(User, {}, pool);

// Update a user
if (user) {
  user.email = '[email protected]';
  await save(user, pool);
}

// Delete a user
if (user) {
  await deleteBy(User, { id: user.id }, pool);
}

// Raw query with named parameters
const activeUsers = await query(
  'SELECT * FROM users WHERE is_active = :active AND created_at > :date',
  { active: true, date: new Date('2023-01-01') },
  pool
);

// Using transactions
await withTransaction(async (client) => {
  // Operations inside a transaction
  const user = await findBy(User, { username: 'johndoe' }, client);
  
  if (user) {
    // Update user within the transaction
    user.email = '[email protected]';
    await save(user, client);
    
    // Create related records in the same transaction
    const profile = new Profile({
      userId: user.id,
      bio: 'A software developer'
    });
    await save(profile, client);
  }
  
  // Transaction automatically commits when the callback completes
  // If an error occurs, it automatically rolls back
});

Entity Definitions

Meridian uses TypeScript decorators to define database entities. Here's how to define an entity class:

import 'reflect-metadata';
import { Table, Column, ForeignKey } from 'meridian-sql/sql/decorators';

@Table({ name: 'users' })
export class User {
  @Column({ 
    isIdentifier: true,
    unique: true,
    default: () => "gen_random_uuid()" 
  })
  id: string;
  
  @Column({ 
    name: "created_at", 
    default: () => "NOW()",
    isCreatedTimestamp: true
  })
  createdAt: Date;
  
  @Column({ 
    name: "updated_at", 
    default: () => "NOW()",
    isUpdatedTimestamp: true
  })
  updatedAt: Date;

  @Column({ unique: true })
  username: string;

  @Column({ nullable: true, unique: true })
  email?: string;

  @Column({ name: 'email_verified', nullable: true })
  emailVerified?: Date;

  @Column({ nullable: true })
  password?: string;

  constructor(data?: Partial<User>) {
    this.id = data?.id || '';
    this.createdAt = data?.createdAt || new Date();
    this.updatedAt = data?.updatedAt || new Date();
    this.username = data?.username || '';
    this.email = data?.email;
    this.emailVerified = data?.emailVerified;
    this.password = data?.password;
  }
}

Entity Decorators

  • @Table({ name: string }): Marks a class as a database table
  • @Column(options): Marks a property as a database column
    • name: Custom column name (defaults to snake_case of property name)
    • primary: Whether this is a primary key (default: false)
    • nullable: Whether this column can be null (default: false)
    • unique: Whether this column has a unique constraint (default: false)
    • type: SQL type (inferred from TypeScript type if not specified)
    • default: SQL default value function
    • isIdentifier: Whether this column is the entity's unique identifier
    • isCreatedTimestamp: Whether this column tracks creation time
    • isUpdatedTimestamp: Whether this column tracks last update time
  • @ForeignKey(tableName, columnName): Defines a foreign key relationship
  • @VectorColumn(dimensions): Defines a vector column for AI embeddings

Base Entities

Meridian provides base entity classes you can extend for convenience:

  • BaseEntity: Provides id, createdAt, updatedAt, and deletedAt fields
  • UserOwnedEntity: Extends BaseEntity and adds a userId field with foreign key

Raw Queries with Named Parameters

Instead of a full-featured query builder, Meridian provides a simple way to execute raw SQL queries using named parameters:

import { query } from 'meridian-sql/operations';

// Use named parameters (prefixed with a colon)
const users = await query(
  'SELECT * FROM users WHERE username = :username OR email = :email',
  { 
    username: 'johndoe', 
    email: '[email protected]' 
  },
  pool
);

// The same parameter can be reused multiple times
const stats = await query(
  `SELECT 
     COUNT(*) FILTER (WHERE user_id = :userId) AS user_post_count,
     COUNT(*) FILTER (WHERE created_at > :date AND user_id = :userId) AS recent_posts
   FROM posts`,
  {
    userId: '123',
    date: new Date('2023-01-01')
  },
  pool
);

The query function automatically converts named parameters to PostgreSQL's positional parameters, making your queries cleaner and less error-prone.

Transaction Support

Meridian provides transaction support to ensure data consistency across multiple operations:

import { withTransaction, withSavepoint } from 'meridian-sql/transaction';
import { save, findBy, deleteBy } from 'meridian-sql/operations';

// Basic transaction usage
await withTransaction(async (client) => {
  // All operations use the same client to be part of the transaction
  const user = await findBy(User, { id: 'user123' }, client);
  
  // Update user
  user.isActive = true;
  await save(user, client);
  
  // Create related records
  const post = new Post({ title: 'First Post', userId: user.id });
  await save(post, client);
  
  // Any error will automatically rollback the entire transaction
});

// Nested transactions with savepoints
await withTransaction(async (client) => {
  // Main transaction operations
  const user = await findBy(User, { id: 'user123' }, client);
  
  try {
    // Create a savepoint for operations that might fail
    await withSavepoint('create_post', async () => {
      const post = new Post({
        title: 'New Post',
        userId: user.id
      });
      await save(post, client);
      
      // If this fails, only the savepoint is rolled back
      await someRiskyOperation();
    }, client);
  } catch (error) {
    console.log('Post creation failed, but transaction continues');
  }
  
  // Continue with other operations
});

Automatic Migrations

Meridian can automatically generate and run migrations based on your entity definitions:

import { Pool } from 'pg';
import { migrate } from 'meridian/sql/migration';
import * as entities from './entities';

const pool = new Pool({
  connectionString: process.env.DATABASE_URL
});

const entityClasses = Object.values(entities).filter(
  entity => typeof entity === 'function'
);

await migrate(pool, false, entityClasses);

Running Migrations in Next.js

// lib/db.ts
import { Pool } from 'pg';
import { migrate } from 'meridian/sql/migration';
import * as entities from '../db/entities';

let pool: Pool;

export function getPool() {
  if (!pool) {
    pool = new Pool({
      connectionString: process.env.DATABASE_URL
    });
  }
  return pool;
}

export async function migrateDatabase() {
  const pool = getPool();
  const entityClasses = Object.values(entities).filter(
    entity => typeof entity === 'function'
  );
  await migrate(pool, false, entityClasses);
}

Then call migrateDatabase() during app initialization or in an API route.

Documentation

API Reference

Guides

Examples

Contributing

We welcome contributions! Please see our Contributing Guide for details.

License

MIT © Stakara (Pty) Ltd.

Using with Next.js

Using Meridian with Next.js requires a few specific steps to ensure compatibility. We've created a dedicated guide for Next.js integration:

Next.js Integration Guide

Key points for Next.js integration:

  1. Always import reflect-metadata at the top of files that use decorators

  2. Initialize the database pool early in your application lifecycle

  3. Use proper paths for imports:

    // Main exports
    import { initializePool, getPool } from 'meridian-sql';
       
    // Operations
    import { findBy, listAll, save } from 'meridian-sql/operations';
       
    // Decorators
    import { Table, Column } from 'meridian-sql';
       
    // Transaction support
    import { withTransaction } from 'meridian-sql/transaction';
       
    // Migration
    import { migrate } from 'meridian/sql/migration';
  4. For server actions/server components, make sure to use proper error handling

  5. Set up migrations to run during deployment or through an admin API route

For a complete example, see our Next.js Integration Guide.