home / skills / secondsky / claude-skills / bun-drizzle-integration

bun-drizzle-integration skill

/plugins/bun/skills/bun-drizzle-integration

This skill helps you integrate Drizzle ORM with Bun SQLite by enabling type-safe schemas and streamlined migrations.

npx playbooks add skill secondsky/claude-skills --skill bun-drizzle-integration

Review the files below or copy the command above to add this skill to your agents.

Files (1)
SKILL.md
6.9 KB
---
name: Bun Drizzle Integration
description: Use when integrating Drizzle ORM with Bun's SQLite driver for type-safe schema definitions and migrations.
version: 1.0.0
---

# Bun Drizzle Integration

Drizzle ORM provides type-safe database access with Bun's SQLite driver.

## Quick Start

```bash
bun add drizzle-orm
bun add -D drizzle-kit
```

## Schema Definition

```typescript
// src/db/schema.ts
import { sqliteTable, text, integer } from "drizzle-orm/sqlite-core";

export const users = sqliteTable("users", {
  id: integer("id").primaryKey({ autoIncrement: true }),
  name: text("name").notNull(),
  email: text("email").notNull().unique(),
  createdAt: integer("created_at", { mode: "timestamp" })
    .notNull()
    .default(sql`(unixepoch())`),
});

export const posts = sqliteTable("posts", {
  id: integer("id").primaryKey({ autoIncrement: true }),
  title: text("title").notNull(),
  content: text("content"),
  authorId: integer("author_id")
    .notNull()
    .references(() => users.id),
});
```

## Database Setup

```typescript
// src/db/index.ts
import { drizzle } from "drizzle-orm/bun-sqlite";
import { Database } from "bun:sqlite";
import * as schema from "./schema";

const sqlite = new Database("app.db");
export const db = drizzle(sqlite, { schema });
```

## Configuration

```typescript
// drizzle.config.ts
import type { Config } from "drizzle-kit";

export default {
  schema: "./src/db/schema.ts",
  out: "./drizzle",
  dialect: "sqlite",
  dbCredentials: {
    url: "./app.db",
  },
} satisfies Config;
```

## Migrations

```bash
# Generate migration
bun drizzle-kit generate

# Apply migrations
bun drizzle-kit migrate

# Push schema directly (dev only)
bun drizzle-kit push

# Open Drizzle Studio
bun drizzle-kit studio
```

## CRUD Operations

### Insert

```typescript
import { db } from "./db";
import { users, posts } from "./db/schema";

// Single insert
const user = await db.insert(users).values({
  name: "Alice",
  email: "[email protected]",
}).returning();

// Multiple insert
await db.insert(users).values([
  { name: "Bob", email: "[email protected]" },
  { name: "Charlie", email: "[email protected]" },
]);

// Insert or ignore
await db.insert(users)
  .values({ name: "Alice", email: "[email protected]" })
  .onConflictDoNothing();

// Upsert
await db.insert(users)
  .values({ name: "Alice", email: "[email protected]" })
  .onConflictDoUpdate({
    target: users.email,
    set: { name: "Alice Updated" },
  });
```

### Select

```typescript
import { eq, gt, like, and, or, desc, asc } from "drizzle-orm";

// All rows
const allUsers = await db.select().from(users);

// With conditions
const activeUsers = await db
  .select()
  .from(users)
  .where(eq(users.status, "active"));

// Multiple conditions
const filtered = await db
  .select()
  .from(users)
  .where(and(
    gt(users.age, 18),
    like(users.name, "%Alice%")
  ));

// Specific columns
const names = await db
  .select({ name: users.name, email: users.email })
  .from(users);

// Order and limit
const topUsers = await db
  .select()
  .from(users)
  .orderBy(desc(users.createdAt))
  .limit(10);

// First result
const first = await db.query.users.findFirst({
  where: eq(users.id, 1),
});
```

### Update

```typescript
// Update with condition
await db
  .update(users)
  .set({ name: "Alice Updated" })
  .where(eq(users.id, 1));

// Update multiple fields
await db
  .update(users)
  .set({
    name: "New Name",
    updatedAt: new Date(),
  })
  .where(eq(users.email, "[email protected]"));
```

### Delete

```typescript
// Delete with condition
await db.delete(users).where(eq(users.id, 1));

// Delete multiple
await db.delete(users).where(gt(users.createdAt, cutoffDate));
```

## Relations

```typescript
// schema.ts
import { relations } from "drizzle-orm";

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

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

// Query with relations
const usersWithPosts = await db.query.users.findMany({
  with: {
    posts: true,
  },
});

// Nested relations
const detailed = await db.query.users.findFirst({
  where: eq(users.id, 1),
  with: {
    posts: {
      with: {
        comments: true,
      },
    },
  },
});
```

## Transactions

```typescript
// Transaction
await db.transaction(async (tx) => {
  const [user] = await tx.insert(users)
    .values({ name: "Alice", email: "[email protected]" })
    .returning();

  await tx.insert(posts).values({
    title: "First Post",
    authorId: user.id,
  });
});

// Rollback on error
await db.transaction(async (tx) => {
  await tx.insert(users).values({ name: "Bob" });

  if (someCondition) {
    tx.rollback(); // Throws to rollback
  }

  await tx.insert(posts).values({ ... });
});
```

## Prepared Statements

```typescript
// Create prepared statement
const getUserById = db
  .select()
  .from(users)
  .where(eq(users.id, sql.placeholder("id")))
  .prepare();

// Execute with parameter
const user = await getUserById.execute({ id: 1 });

// Reuse for performance
for (const id of userIds) {
  const user = await getUserById.execute({ id });
  processUser(user);
}
```

## Raw SQL

```typescript
import { sql } from "drizzle-orm";

// Raw query
const result = await db.run(sql`
  UPDATE users SET last_login = ${new Date()} WHERE id = ${userId}
`);

// In select
const users = await db.select({
  name: users.name,
  upperName: sql<string>`UPPER(${users.name})`,
}).from(users);

// Raw expressions in where
await db.select().from(users).where(
  sql`${users.age} > 18 AND ${users.status} = 'active'`
);
```

## Column Types Reference

```typescript
import {
  sqliteTable,
  text,
  integer,
  real,
  blob,
  numeric,
} from "drizzle-orm/sqlite-core";

const example = sqliteTable("example", {
  // Integer
  id: integer("id").primaryKey(),
  age: integer("age"),

  // Text
  name: text("name"),
  status: text("status", { enum: ["active", "inactive"] }),

  // Real (float)
  price: real("price"),

  // Blob
  data: blob("data", { mode: "buffer" }),

  // Boolean (stored as integer)
  active: integer("active", { mode: "boolean" }),

  // Timestamp (stored as integer)
  createdAt: integer("created_at", { mode: "timestamp" }),
  updatedMs: integer("updated_ms", { mode: "timestamp_ms" }),

  // JSON (stored as text)
  metadata: text("metadata", { mode: "json" }),
});
```

## Common Errors

| Error | Cause | Fix |
|-------|-------|-----|
| `SQLITE_CONSTRAINT` | FK/unique violation | Check constraints |
| `no such column` | Schema mismatch | Run migrations |
| `Cannot find module` | Missing driver | Use `drizzle-orm/bun-sqlite` |
| Type mismatch | Wrong column type | Check schema definition |

## When to Load References

Load `references/migrations.md` when:
- Complex migration scenarios
- Migration squashing
- Database seeding

Load `references/performance.md` when:
- Query optimization
- Indexing strategies
- Connection pooling

Overview

This skill guides integrating Drizzle ORM with Bun's SQLite driver for type-safe schema definitions, migrations, and runtime queries in TypeScript projects. It focuses on practical setup, common CRUD patterns, relations, transactions, and migration workflows to get a production-ready SQLite-backed app running under Bun. The content emphasizes developer ergonomics, prepared statements, and handling common errors.

How this skill works

Define schemas using drizzle-orm/sqlite-core to get compile-time types for tables and columns. Instantiate a Bun SQLite Database and pass it to drizzle to create a typed db instance. Use drizzle-kit for generating and running migrations, and rely on Drizzle query builders, relations, transactions, and raw SQL when needed.

When to use it

  • Building a Bun-based TypeScript app that needs a lightweight, file-based SQL database.
  • Wanting type-safe queries, schema definitions, and compile-time validation.
  • Needing a simple migration workflow with drizzle-kit for development and CI.
  • Implementing relational data models with first-class relation helpers.
  • Optimizing read paths with prepared statements for repeated queries.

Best practices

  • Keep schema definitions in a single module and export them for drizzle.config.ts to avoid drift.
  • Generate migrations with drizzle-kit and run them in CI to avoid runtime schema mismatches.
  • Use prepared statements for high-frequency selects to reduce parsing overhead.
  • Wrap related operations in transactions and call tx.rollback() on errors to ensure consistency.
  • Use explicit column types (timestamp, boolean mode, json text) to avoid type mismatch surprises.

Example use cases

  • A small CMS or blog using Bun for server runtime and SQLite for storage with posts, users, and comments relations.
  • Prototyping an internal tool that requires fast iteration and reliable local DB migrations.
  • Mobile or desktop Electron-like apps where a single-file SQLite database is preferred.
  • Serverless functions or edge services needing lightweight persistence with typed queries.
  • Batch import jobs that reuse prepared statements for processing many records efficiently.

FAQ

How do I run migrations in CI?

Install drizzle-kit, commit generated migration files, and run bun drizzle-kit migrate as part of your CI deployment step.

When should I use raw SQL vs query builders?

Use query builders for type safety and readability; use raw SQL for complex expressions or database-specific optimizations that the builder does not expose.