Techtrekking

How to use prisma with postgres in next.js when database already exists

By Pravin

Prisma is a modern database toolkit that simplifies interactions with databases in your Next.js applications. This guide will walk you through the steps of configuring Prisma to connect to an existing PostgreSQL database in a Next.js project.

Note: This guide assumes you already have a PostgreSQL database set up and running, with tables and data already present. If you do not have a database yet, follow other steps.

Step 1: Install Prisma

  1. Open your terminal and navigate to your Next.js project directory.

  2. Install Prisma CLI and Client:

    npm install prisma --save-dev npm install @prisma/client
    • prisma is the Prisma CLI, which we'll use for database introspection and other tasks.
    • @prisma/client is the Prisma Client, which we'll use to interact with the database in our code.
  3. Initialize Prisma:

    npx prisma init --datasource-provider postgresql

    This command does the following:

    • Creates a prisma directory in your project.
    • Adds a schema.prisma file inside the prisma directory. This file will initially be empty but will be populated by introspection.
    • Adds a .env file to your project root. This file will store your database connection URL.

Step 2: Configure the Database Connection

  1. Open the .env file in your project root.

  2. Set the DATABASE_URL environment variable to your existing PostgreSQL connection string. It should look something like this:

    DATABASE_URL="postgresql://USER:PASSWORD@HOST:PORT/DATABASE?schema=public"
    
    • Replace USER, PASSWORD, HOST, PORT, and DATABASE with your existing PostgreSQL credentials.

    • If you're using a local PostgreSQL instance, the default values might be:

      DATABASE_URL="postgresql://postgres:mysecretpassword@localhost:5432/mydatabase?schema=public"
      
      • Replace mysecretpassword with your postgres password
      • Replace mydatabase with your database name

    Important: Double-check that these credentials are correct and that you can connect to the database using these credentials.

Step 3: Introspect Your Existing Database

Now, instead of defining models manually, we'll use Prisma's introspection feature to read the structure of your existing database and generate the models for us.

  1. Run the introspection command:

    npx prisma db pull

    This command will:

    • Connect to the database specified in your DATABASE_URL.
    • Read the structure of the existing tables.
    • Generate the corresponding Prisma models in prisma/schema.prisma.
  2. Open your file: after running npx prisma db pull open your prisma/schema.prisma to see the generated model

Step 4: Review and Refine Your Data Model (Optional)

  1. Open the prisma/schema.prisma file.
  2. Review the generated models. Prisma tries to infer the model structure based on your database, but you might need to:
    • Adjust Field Types: If you have unusual data types, you might need to adjust the corresponding Prisma types (e.g., Int, String, DateTime, etc.).
    • Add Relationships: Prisma will automatically detect some relationships, but you might need to add more complex relationships (one-to-many, many-to-many) manually using Prisma's relationship syntax.
    • Add Attributes: add @id, @default(autoincrement()), @unique for fields
    • Update names: rename table names or column name as you need
  3. Example:
    // prisma/schema.prisma generator client { provider = "prisma-client-js" } datasource db { provider = "postgresql" url = env("DATABASE_URL") } model users { id Int @id @default(autoincrement()) email String @unique name String? createdAt DateTime @default(now()) updatedAt DateTime @updatedAt }

Step 5: Generate Prisma Client

  1. Generate the Prisma Client:

    npx prisma generate

    This command generates the Prisma Client based on your current schema.prisma file. You need to run this command each time you change your data model in your prisma/schema.prisma.

Step 6: Use Prisma Client in Your Code

  1. Import the Prisma Client: In your Next.js components or API routes, import the Prisma Client.

    // pages/api/users.js (example API route using javascript) import { PrismaClient } from '@prisma/client'; const prisma = new PrismaClient(); export default async function handler(req, res) { if (req.method === 'POST') { const { email, name } = req.body; try { const newUser = await prisma.users.create({ data: { email, name, }, }); res.status(201).json(newUser); } catch (error) { res.status(500).json({ error: 'Unable to create new user.' }); } } else if (req.method === 'GET') { try { const allUsers = await prisma.users.findMany(); res.status(200).json(allUsers); } catch (error) { res.status(500).json({ error: 'Unable to fetch users.' }); } } else { res.status(405).json({ error: 'Method Not Allowed' }); } }
  2. Create a Prisma Client Instance:

    const prisma = new PrismaClient();
  3. Use Prisma Client Methods: Use methods like create, findMany, findUnique, update, delete, etc., to interact with the database.

Step 7: Run your app

  1. start development server.

    npm run dev

Additional Notes

  • Prisma Studio: You can use Prisma Studio to visually inspect the data in your database. Run npx prisma studio in your terminal.
  • Introspection: You can re-run npx prisma db pull at any time if you make changes to your database schema directly (e.g., using psql or a GUI).
  • Prisma Migrate: If you make changes to your schema.prisma, you should use prisma migrate to update your database schema
  • Error Handling: Always handle potential errors when interacting with the database.
  • Use with typescript: if you use typescript in your next.js you need to run npx prisma generate each time when you change your data model.
  • use with javascript: if you use javascript in your next.js you don't need to run npx prisma generate each time when you change your data model.

By following these steps, you'll successfully connect Prisma to an existing PostgreSQL database in your Next.js project! Let me know if you have any further questions.

Comments
No comments yet. Be the first to comment!
Leave a Comment
Your comment will be visible after approval.