ccheney

postgres-drizzle

2
0
# Install this skill:
npx skills add ccheney/robust-skills --skill "postgres-drizzle"

Install specific skill from multi-skill repository

# Description

|

# SKILL.md


name: postgres-drizzle
description: |
PostgreSQL and Drizzle ORM best practices. Triggers on: PostgreSQL, Postgres, Drizzle, database,
schema, tables, columns, indexes, queries, migrations, ORM, relations, joins, transactions, SQL,
drizzle-kit, connection pooling, N+1, JSONB, RLS.

Use when: writing database schemas, queries, migrations, or any database-related code.
Proactively apply when creating APIs, backends, or data models.


PostgreSQL + Drizzle ORM

Type-safe database applications with PostgreSQL 18 and Drizzle ORM.

Essential Commands

npx drizzle-kit generate   # Generate migration from schema changes
npx drizzle-kit migrate    # Apply pending migrations
npx drizzle-kit push       # Push schema directly (dev only!)
npx drizzle-kit studio     # Open database browser

Quick Decision Trees

"How do I model this relationship?"

Relationship type?
β”œβ”€ One-to-many (user has posts)     β†’ FK on "many" side + relations()
β”œβ”€ Many-to-many (posts have tags)   β†’ Junction table + relations()
β”œβ”€ One-to-one (user has profile)    β†’ FK with unique constraint
└─ Self-referential (comments)      β†’ FK to same table

"Why is my query slow?"

Slow query?
β”œβ”€ Missing index on WHERE/JOIN columns  β†’ Add index
β”œβ”€ N+1 queries in loop                  β†’ Use relational queries API
β”œβ”€ Full table scan                      β†’ EXPLAIN ANALYZE, add index
β”œβ”€ Large result set                     β†’ Add pagination (limit/offset)
└─ Connection overhead                  β†’ Enable connection pooling

"Which drizzle-kit command?"

What do I need?
β”œβ”€ Schema changed, need SQL migration   β†’ drizzle-kit generate
β”œβ”€ Apply migrations to database         β†’ drizzle-kit migrate
β”œβ”€ Quick dev iteration (no migration)   β†’ drizzle-kit push
└─ Browse/edit data visually            β†’ drizzle-kit studio

Directory Structure

src/db/
β”œβ”€β”€ schema/
β”‚   β”œβ”€β”€ index.ts          # Re-export all tables
β”‚   β”œβ”€β”€ users.ts          # Table + relations
β”‚   └── posts.ts          # Table + relations
β”œβ”€β”€ db.ts                 # Connection with pooling
└── migrate.ts            # Migration runner
drizzle/
└── migrations/           # Generated SQL files
drizzle.config.ts         # drizzle-kit config

Schema Patterns

Basic Table with Timestamps

export const users = pgTable('users', {
  id: uuid('id').primaryKey().defaultRandom(),
  email: varchar('email', { length: 255 }).notNull().unique(),
  createdAt: timestamp('created_at').defaultNow().notNull(),
  updatedAt: timestamp('updated_at').defaultNow().notNull(),
});

Foreign Key with Index

export const posts = pgTable('posts', {
  id: uuid('id').primaryKey().defaultRandom(),
  userId: uuid('user_id').notNull().references(() => users.id),
  title: varchar('title', { length: 255 }).notNull(),
}, (table) => [
  index('posts_user_id_idx').on(table.userId), // ALWAYS index FKs
]);

Relations

export const usersRelations = relations(users, ({ many }) => ({
  posts: many(posts),
}));

export const postsRelations = relations(posts, ({ one }) => ({
  author: one(users, { fields: [posts.userId], references: [users.id] }),
}));

Query Patterns

Relational Query (Avoid N+1)

// βœ“ Single query with nested data
const usersWithPosts = await db.query.users.findMany({
  with: { posts: true },
});

Filtered Query

const activeUsers = await db
  .select()
  .from(users)
  .where(eq(users.status, 'active'));

Transaction

await db.transaction(async (tx) => {
  const [user] = await tx.insert(users).values({ email }).returning();
  await tx.insert(profiles).values({ userId: user.id });
});

Performance Checklist

Priority Check Impact
CRITICAL Index all foreign keys Prevents full table scans on JOINs
CRITICAL Use relational queries for nested data Avoids N+1
HIGH Connection pooling in production Reduces connection overhead
HIGH EXPLAIN ANALYZE slow queries Identifies missing indexes
MEDIUM Partial indexes for filtered subsets Smaller, faster indexes
MEDIUM UUIDv7 for PKs (PG18+) Better index locality

Anti-Patterns (CRITICAL)

Anti-Pattern Problem Fix
No FK index Slow JOINs, full scans Add index on every FK column
N+1 in loops Query per row Use with: relational queries
No pooling Connection per request Use @neondatabase/serverless or similar
push in prod Data loss risk Always use generate + migrate
Storing JSON as text No validation, bad queries Use jsonb() column type

Reference Documentation

File Purpose
references/SCHEMA.md Column types, constraints
references/QUERIES.md Operators, joins, aggregations
references/RELATIONS.md One-to-many, many-to-many
references/MIGRATIONS.md drizzle-kit workflows
references/POSTGRES.md PG18 features, RLS, partitioning
references/PERFORMANCE.md Indexing, optimization
references/CHEATSHEET.md Quick reference

Resources

Drizzle ORM

  • Official Documentation: https://orm.drizzle.team
  • GitHub Repository: https://github.com/drizzle-team/drizzle-orm
  • Drizzle Kit (Migrations): https://orm.drizzle.team/kit-docs/overview

PostgreSQL

  • Official Documentation: https://www.postgresql.org/docs/
  • SQL Commands Reference: https://www.postgresql.org/docs/current/sql-commands.html
  • Performance Tips: https://www.postgresql.org/docs/current/performance-tips.html
  • Index Types: https://www.postgresql.org/docs/current/indexes-types.html
  • JSON Functions: https://www.postgresql.org/docs/current/functions-json.html
  • Row Level Security: https://www.postgresql.org/docs/current/ddl-rowsecurity.html

# Supported AI Coding Agents

This skill is compatible with the SKILL.md standard and works with all major AI coding agents:

Learn more about the SKILL.md standard and how to use these skills with your preferred AI coding agent.