Drizzle Seed
Drizzle Seed is a TypeScript library designed for generating deterministic, yet realistic, fake data to populate databases in conjunction with Drizzle ORM. It leverages a seedable pseudorandom number generator (pRNG) to ensure that generated data is consistent and reproducible across different runs, which is crucial for reliable testing, development, and debugging workflows. The library currently stands at version 0.3.1 (within the Drizzle ecosystem's 0.x series for utilities), with ongoing active development that typically follows the release cadence and advancements of Drizzle ORM. Key differentiators include its tight integration with Drizzle ORM's type safety, its focus on reproducible data sets via pRNG, and a flexible API for refining data generation at column and table levels, including handling complex relationships. It enables developers to easily reset and re-seed their databases with predictable data.
Common errors
-
PostgresError: column "userTable" does not exist
cause Drizzle-seed attempted to insert data with a column name from the Drizzle schema that does not match the actual database column name, often due to casing configuration mismatches (e.g., camelCase in schema vs. snake_case in DB).fixVerify your `drizzle.config.ts` casing settings and ensure your Drizzle schema column names precisely match the database, or explicitly define column names in the `refine` callback of `drizzle-seed` to override. -
duplicate key value violates unique constraint "users_pkey"
cause After seeding a table with a `serial` primary key, the PostgreSQL sequence generator was not updated, causing subsequent inserts to attempt to use an already existing ID.fixUpgrade `drizzle-seed` to version 0.3.0 or newer. As a temporary workaround for older versions, manually reset the sequence after seeding: `await db.execute(sql`SELECT setval('users_id_seq', (SELECT MAX(id) FROM users));`);`. -
npm error could not determine executable to run
cause `drizzle-seed` is a library, not a CLI tool. This error occurs when trying to execute it directly via `npx`.fixRun your TypeScript seed file directly using a runtime like `ts-node`, `bun`, or `node` (after transpilation). Example: `ts-node src/seed.ts`. -
Error: "posts" table doesn't have a reference to "users" table or you didn't include your one-to-many relation in the seed function schema. You can't specify "posts" as parameter in users.with object.
cause Attempting to use the `with` option for related entities in `drizzle-seed` when the foreign key relationship is not correctly defined in the Drizzle schema, or the related tables are not all passed to the `seed` function.fixEnsure all tables involved in a `with` relationship are included in the schema argument of the `seed` function, and that explicit foreign key `references` are correctly defined in your Drizzle schema (e.g., `userId: integer('user_id').references(() => users.id)`).
Warnings
- breaking Older versions of `drizzle-seed` (prior to 0.3.0) did not correctly synchronize PostgreSQL serial sequences after seeding. This could lead to `duplicate key value violates unique constraint` errors when inserting new records after a seed operation.
- gotcha When using Drizzle ORM's casing configuration (e.g., `snake_case`), `drizzle-seed` might not correctly apply this casing to column names during insertion. This can lead to `column "columnName" does not exist` errors if the schema definition uses a different casing than the actual database.
- gotcha `drizzle-seed` is a library, not a standalone executable. Attempting to run it directly via `npx drizzle-seed` will result in an error indicating it cannot determine an executable. Seed scripts must be run via Node.js (or `tsx`/`bun`/`deno` for TypeScript files).
- breaking `drizzle-seed` has a peer dependency on `drizzle-orm` version `>=0.36.4`. Using older versions of `drizzle-orm` may lead to type mismatches, runtime errors related to identity columns, or other unexpected behavior due to API changes.
- gotcha Seeding tables with foreign key relationships requires careful setup. If a foreign key column has a `not-null` constraint and the referenced table is not exposed to the `seed` function or the column generator is not refined, `drizzle-seed` cannot populate the column, leading to errors. TypeScript limitations can also hinder proper inference of relations, especially with circular dependencies.
Install
-
npm install drizzle-seed -
yarn add drizzle-seed -
pnpm add drizzle-seed
Imports
- seed
import seed from 'drizzle-seed'; // Not a default export
import { seed } from 'drizzle-seed'; - reset
const reset = require('drizzle-seed').reset; // CommonJS is supported but ESM is preferred.import { reset } from 'drizzle-seed'; - Fake
import { seed, Fake } from 'drizzle-seed';
Quickstart
import 'dotenv/config';
import { pgTable, serial, text, timestamp, integer } from 'drizzle-orm/pg-core';
import { drizzle } from 'drizzle-orm/node-postgres';
import { Pool } from 'pg';
import { seed, reset } from 'drizzle-seed';
export const users = pgTable('users', {
id: serial('id').primaryKey(),
name: text('name').notNull(),
email: text('email').notNull().unique(),
age: integer('age').notNull(),
createdAt: timestamp('created_at').notNull().defaultNow(),
});
export const posts = pgTable('posts', {
id: serial('id').primaryKey(),
title: text('title').notNull(),
content: text('content'),
userId: integer('user_id').references(() => users.id, { onDelete: 'cascade' }).notNull(),
createdAt: timestamp('created_at').notNull().defaultNow(),
});
const pool = new Pool({
connectionString: process.env.DATABASE_URL ?? 'postgresql://user:password@localhost:5432/drizzle_test_db',
});
const db = drizzle(pool, { schema: { users, posts } });
async function runSeed() {
try {
console.log('Starting database reset...');
// Clears all specified tables, respecting foreign key constraints.
await reset(db, { users, posts });
console.log('Database reset complete.');
console.log('Starting database seeding...');
await seed(db, { users, posts }).refine((f) => ({
users: {
count: 5, // Create 5 users
columns: {
name: () => f.fullName(),
email: () => f.email(),
age: () => f.number.int({ min: 18, max: 80 }),
},
with: {
posts: 3, // Each user gets 3 posts
},
},
posts: {
columns: {
title: () => f.lorem.sentence(),
content: () => f.lorem.paragraph(),
},
},
}));
console.log('Database seeding complete.');
} catch (error) {
console.error('Seeding failed:', error);
process.exit(1);
} finally {
await pool.end();
process.exit(0);
}
}
runSeed();