🙌

【Drizzle ORM】NextJs14 と Drizzle ORM【#14 Drizzle One to Many 】

2024/08/10に公開

【#14 Drizzle One to Many 】

YouTube: https://youtu.be/-U3gA7zX3_0
https://youtu.be/-U3gA7zX3_0

今回も引き続き、Drizzle ORM のスキーマの設定について見ていきます。
今回は「One-to-many」のリレーションの設定について実装をしていきます。

https://orm.drizzle.team/docs/rqb#one-to-many

「posts」のテーブルを作成して、
「users」のテーブルと紐づけを行います。

ユーザー1人に対して、複数のポストがありますので、
「One-to-many」の関係になります。

db/schema.ts
import { relations } from "drizzle-orm";
import { pgTable, text, timestamp } from "drizzle-orm/pg-core";
import { createInsertSchema } from "drizzle-zod";

export const users = pgTable("users_table", {
  id: text("id").primaryKey(),
  clerkId: text("clerk_id").notNull().unique(),
  name: text("name").notNull(),
  email: text("email").notNull().unique(),
  imageUrl: text("image_url"),
  createdAt: timestamp("created_at").notNull().defaultNow(),
  updatedAt: timestamp("updated_at")
    .notNull()
    .$onUpdate(() => new Date()),
});

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

export const insertUsersSchema = createInsertSchema(users);

export const profile = pgTable("profile_table", {
  id: text("id").primaryKey(),
  userId: text("user_id").references(() => users.id, { onDelete: "cascade" }),
  message: text("message"),
  createdAt: timestamp("created_at").notNull().defaultNow(),
  updatedAt: timestamp("updated_at")
    .notNull()
    .$onUpdate(() => new Date()),
});

export const insertProfileSchema = createInsertSchema(profile);

export const posts = pgTable("posts_table", {
  id: text("id").primaryKey(),
  userId: text("user_id").references(() => users.id),
  content: text("content"),
  createdAt: timestamp("created_at").notNull().defaultNow(),
  updatedAt: timestamp("updated_at")
    .notNull()
    .$onUpdate(() => new Date()),
});

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

export const insertPostsSchema = createInsertSchema(posts);

Discussion