Deployment

Turborepo

Learn step-by-step how to integrate Prisma ORM with Turborepo to build modular, scalable monorepo architectures efficiently

Prisma is a powerful ORM for managing databases, and Turborepo simplifies monorepo workflows. By combining these tools, you can create a scalable, modular architecture for your projects.

This guide will show you how to set up Prisma as a standalone package in a Turborepo monorepo, enabling efficient configuration, type sharing, and database management across multiple apps.

What you'll learn:

  • How to set up Prisma in a Turborepo monorepo.
  • Steps to generate and reuse PrismaClient across packages.
  • Integrating the Prisma package into other applications in the monorepo.

Prerequisites

1. Set up your project

To set up a Turborepo monorepo named turborepo-prisma, run the following command:

npx create-turbo@latest turborepo-prisma

You'll be prompted to select your package manager, this guide will use npm:

  • Which package manager do you want to use? npm

After the setup, navigate to the project root directory:

cd turborepo-prisma

2. Add a new database package to the monorepo

2.1 Create the package and install Prisma

Create a database directory inside packages and navigate into it:

mkdir -p packages/database
cd packages/database

Then initialize it with a package.json:

packages/database/package.json
{
  "name": "@repo/db",
  "version": "0.0.0"
}

Then install the required Prisma ORM dependencies:

npm install prisma --save-dev
npm install @prisma/client @prisma/adapter-pg pg dotenv

If you are using a different database provider (MySQL, SQL Server, SQLite), install the corresponding driver adapter package instead of @prisma/adapter-pg. For more information, see Database drivers.

2.2. Initialize Prisma and define models

Inside the database directory, initialize Prisma by running:

npx prisma init --db

You'll be prompted to authenticate in Prisma Console, choose a project name, and pick a region for your Prisma Postgres database.

This will create several files inside packages/database:

  • A prisma directory with a schema.prisma file.
  • A prisma.config.ts file for configuring Prisma.
  • A Prisma Postgres database.
  • A .env file containing the DATABASE_URL in the packages/database directory.

In the packages/database/prisma/schema.prisma file, add the following models:

packages/database/prisma/schema.prisma
generator client {
  provider = "prisma-client"
  output   = "../generated/prisma"
}

datasource db {
  provider = "postgresql"
}

model User { 
  id    Int     @id @default(autoincrement()) 
  email String  @unique
  name  String?
  posts Post[]
} 
model Post { 
  id        Int     @id @default(autoincrement()) 
  title     String
  content   String?
  published Boolean @default(false) 
  authorId  Int
  author    User    @relation(fields: [authorId], references: [id]) 
} 

The prisma.config.ts file created in the packages/database directory should look like this:

packages/database/prisma.config.ts
import "dotenv/config";
import { defineConfig, env } from "prisma/config";

export default defineConfig({
  schema: "prisma/schema.prisma",
  migrations: {
    path: "prisma/migrations",
  },
  datasource: {
    url: env("DATABASE_URL"),
  },
});

It is recommended to add packages/database/generated to your root .gitignore because generated Prisma Client code is a build artifact that can be recreated with db:generate.

The importance of generating Prisma types in a custom directory

In the schema.prisma file, we specify a custom output path where Prisma will generate its types. This ensures Prisma's types are resolved correctly across different package managers.

In this guide, the types will be generated in the database/generated/prisma directory.

2.3. Add scripts and run migrations

Let's add some scripts to the package.json inside packages/database:

packages/database/package.json
{
  "name": "@repo/db",
  "version": "0.0.0",
  "type": "module", 
  "scripts": {
    "db:generate": "prisma generate", 
    "db:migrate": "prisma migrate dev", 
    "db:deploy": "prisma migrate deploy"
  }, 
  "devDependencies": {
    "prisma": "^7.0.0"
  },
  "dependencies": {
    "@prisma/client": "^7.0.0",
    "@prisma/adapter-pg": "^7.0.0",
    "pg": "^8.0.0",
    "dotenv": "^16.0.0"
  }
}

Let's also add these scripts to turbo.json in the root and ensure that DATABASE_URL is added to the environment:

turbo.json
{
  "$schema": "https://turborepo.dev/schema.json",
  "ui": "tui",
  "globalEnv": ["DATABASE_URL"], 
  "tasks": {
    "build": {
      "dependsOn": ["^build"],
      "inputs": ["$TURBO_DEFAULT$", ".env*"],
      "outputs": [".next/**", "!.next/cache/**"]
    },
    "lint": {
      "dependsOn": ["^lint"]
    },
    "check-types": {
      "dependsOn": ["^check-types"]
    },
    "dev": {
      "cache": false,
      "persistent": true
    },
    "db:generate": { 
      "cache": false
    }, 
    "db:migrate": { 
      "cache": false
    }, 
    "db:deploy": { 
      "cache": false
    } 
  }
}

Run your first migration and generate Prisma Client

Navigate to the project root and run the following command to create and apply your first migration:

npx turbo run db:migrate -- --name init

In Prisma 7, migrate dev no longer runs prisma generate automatically, so run generate explicitly:

npx turbo run db:generate

Use the same npx turbo run db:generate command after future schema changes.

2.4. Export the Prisma client and types

Next, export the generated types and an instance of PrismaClient so it can be used in your applications.

In the packages/database directory, create a src folder and add a client.ts file. This file will define an instance of PrismaClient:

packages/database/src/client.ts
import { PrismaClient } from "../generated/prisma/client";
import { PrismaPg } from "@prisma/adapter-pg";

const adapter = new PrismaPg({
  connectionString: process.env.DATABASE_URL,
});

const globalForPrisma = globalThis as unknown as { prisma: PrismaClient };

export const prisma =
  globalForPrisma.prisma ||
  new PrismaClient({
    adapter,
  });

if (process.env.NODE_ENV !== "production") globalForPrisma.prisma = prisma;

Then create an index.ts file in the src folder to re-export the generated prisma types and the PrismaClient instance:

packages/database/src/index.ts
export { prisma } from "./client"; // exports instance of prisma
export * from "../generated/prisma/client"; // exports generated types from prisma

Follow the Just-in-Time packaging pattern and create an entrypoint to the package inside packages/database/package.json:

If you're not using a bundler, use the Compiled Packages strategy instead.

packages/database/package.json
{
  "name": "@repo/db",
  "version": "0.0.0",
  "type": "module",
  "scripts": {
    "db:generate": "prisma generate",
    "db:migrate": "prisma migrate dev",
    "db:deploy": "prisma migrate deploy"
  },
  "devDependencies": {
    "prisma": "^7.0.0"
  },
  "dependencies": {
    "@prisma/client": "^7.0.0",
    "@prisma/adapter-pg": "^7.0.0",
    "pg": "^8.0.0",
    "dotenv": "^16.0.0"
  },
  "exports": {
    ".": "./src/index.ts"
  } 
}

By completing these steps, you'll make the Prisma types and PrismaClient instance accessible throughout the monorepo.

3. Import the database package in the web app

The turborepo-prisma project should have an app called web at apps/web. Add the database dependency to apps/web/package.json:

{
  // ...
  "dependencies": {
    "@repo/db": "*"
    // ...
  }
  // ...
}

Run your package manager's install command from the project root to link the workspace dependency:

npm install

Let's import the instantiated prisma client from the database package in the web app.

In the apps/web/app directory, open the page.tsx file and add the following code:

apps/web/app/page.tsx
import styles from "./page.module.css";
import { prisma } from "@repo/db";

export default async function Home() {
  const user = await prisma.user.findFirst();
  return <div className={styles.page}>{user?.name ?? "No user added yet"}</div>;
}

Then, create a .env file in the web directory and copy into it the contents of the .env file from the /database directory containing the DATABASE_URL:

apps/web/.env
DATABASE_URL="Same database URL as used in the database directory"

If you want to use a single .env file in the root directory across your apps and packages in a Turborepo setup, consider using a package like dotenvx.

To implement this, update the package.json files for each package or app to ensure they load the required environment variables from the shared .env file. For detailed instructions, refer to the dotenvx guide for Turborepo.

Keep in mind that Turborepo recommends using separate .env files for each package to promote modularity and avoid potential conflicts.

4. Configure task dependencies in Turborepo

The db:generate script is essential for dev and build tasks in a monorepo setup.

If a new developer runs turbo dev on an application without first running db:generate, they will encounter errors.

To prevent this, ensure that db:generate is always executed before running dev or build. Keep db:deploy uncached for staging/production migration runs in CI. Here's how to configure this in your turbo.json file:

turbo.json
{
  "$schema": "https://turborepo.dev/schema.json",
  "ui": "tui",
  "globalEnv": ["DATABASE_URL"],
  "tasks": {
    "build": {
      "dependsOn": ["^build", "^db:generate"], 
      "inputs": ["$TURBO_DEFAULT$", ".env*"],
      "outputs": [".next/**", "!.next/cache/**"]
    },
    "lint": {
      "dependsOn": ["^lint"]
    },
    "check-types": {
      "dependsOn": ["^check-types"]
    },
    "dev": {
      "dependsOn": ["^db:generate"], 
      "cache": false,
      "persistent": true
    },
    "db:generate": {
      "cache": false
    },
    "db:migrate": {
      "cache": false
    },
    "db:deploy": {
      "cache": false
    }
  }
}

5. Run the project in development

Then from the project root run the project:

npx turbo run dev --filter=web

Navigate to the http://localhost:3000 and you should see the message:

No user added yet

You can add users to your database by creating a seed script or manually by using Prisma Studio.

To use Prisma Studio to add manually data via a GUI, navigate inside the packages/database directory and run prisma studio using your package manager:

npx prisma studio

This command starts a server with a GUI at http://localhost:5555, allowing you to view and modify your data.

Congratulations, you're done setting up Prisma for Turborepo!

Next Steps

  • Expand your Prisma models to handle more complex data relationships.
  • Implement additional CRUD operations to enhance your application's functionality.
  • Check out Prisma Postgres to see how you can scale your application.

More Info

On this page