Your first schema
By the end of this section we'll have defined and migrated a database where we can store users and users' posts.
Defining the users table
Let's build a simple schema with a single table called users.
Change your schema.ts file with the following code:
import {
index, integer,
primaryKey, schema, table, text, unique,
} from "@monolayer/pg/schema";
const users = table({
columns: {
id: integer().generatedAlwaysAsIdentity(),
email: text().notNull(),
name: text(),
},
constraints: {
primaryKey: primaryKey(["id"]),
unique: [unique(["email"])],
},
indexes: [index(["email"])],
});
export const dbSchema = schema({
tables: {
users,
},
});
export type DB = typeof dbSchema.infer;TIP
Schema definition in monolayer-pg is type-safe.
Change the unique constraint column to a non existing one and see what happens! 🤯
In this schema, we have defined a table called users with:
- An
idcolumn as an integer, always generated identity column (auto-incremented column). - A
emailcolumn as a non-nullable text. - A
namecolumn as nullable text. - A primary key constraint on the
idcolumn. - A unique constraint on the
emailcolumn. - An index on the
emailcolumn.
Defining the posts table
Now, let's define a posts table where we'll store the user's posts.
Change your schema.ts file with the following code:
import { sql } from "kysely";
import {
index, integer,
primaryKey, schema, table, text, unique,
boolean, foreignKey, timestampWithTimeZone
} from "@monolayer/pg/schema";
import {
updateTimestampOnRecordUpdate,
} from "@monolayer/pg/helpers/timestamps";
const users = table({
columns: {
id: integer().generatedAlwaysAsIdentity(),
email: text().notNull(),
name: text(),
},
constraints: {
primaryKey: primaryKey(["id"]),
unique: [unique(["email"])],
},
indexes: [index(["email"])],
});
const posts = table({
columns: {
id: integer().generatedAlwaysAsIdentity(),
title: text().notNull(),
content: text(),
published: boolean().default(false),
authorId: integer(),
createdAt: timestampWithTimeZone().notNull().default(sql`now()`),
updatedAt: timestampWithTimeZone().notNull().default(sql`now()`),
},
constraints: {
primaryKey: primaryKey(["id"]),
foreignKeys: [
foreignKey(["authorId"], users, ["id"])
.deleteRule("set null")
.updateRule("cascade"),
],
},
indexes: [index(["authorId"])],
triggers: [updateTimestampOnRecordUpdate("updatedAt")],
});
export const dbSchema = schema({
tables: {
users,
posts,
},
});
export type DB = typeof dbSchema.infer;The posts table what we added to the schema has:
- An
idcolumn as an integer, always generated identity column (auto-incremented column). - An
titlecolumn as a non-nullable text. - An
contentcolumn as a nullable text. - An
publishedcolumn as an integer, always generated identity column (auto-incremented column). - An
authorIdcolumn as a nullable integer. - An
createdAtcolumn as a timestamp with time zone, non-nullable, and with the current timestamp as default. - An
updatedAtcolumn as a timestamp with time zone, non-nullable, and with the current timestamp as default. - A primary key constraint on the
idcolumn. - A foreign key constraint on
authorIdthat referencesusers.id. When deleting the referenced user,authorIdwill be set toNULL. Updatingusers.idwill updateauthorId. - An index on the
authorIdcolumn. - A trigger that will update the
updatedAtcolumn whenever a record is updated.
INFO
The trigger will enable us to use native PostgreSQL capabilities to update the updatedAt column, no ORM needed! 🎉.
Adding an extension to the database
In order for the trigger to work, we need to add the moddatetime extension to the database. Modify the database definition in database.ts with the following code:
import { defineDatabase, extension } from "@monolayer/pg/schema";
import { dbSchema } from "./schema";
import { dbSeed } from "./seed";
export default defineDatabase({
schemas: [dbSchema],
extensions: [extension("moddatetime")],
camelCase: false,
seeder: dbSeed,
});We've added the moddatetime extension to our database definition.
Create the database
INFO
You can skip this step if the database is already created
Create the database with the monolayer-pg CLI:
npx monolayer db create┌ Create Database
│
◇ Create database hello-monolayer ✓
│
└ DoneGenerate migrations
To update the database to reflect the schema that we have defined, we'll first generate migrations:
npx monolayer migrations generateThe command will prompt you to select a migration name
┌ monolayer generate
│
◇ Enter a name for the schema migration
│ add users and posts
│
● Generated migration: monolayer/migrations/default/expand/20240725130115976-add-users-and-posts.ts
│
└ DoneThis command will generate a migration file of your chosen name with the schema changes to apply in your project under the monolayer-pg directory.
🗂️ hello-monolayer (project root)
└ 📁 monolayer
└ 📁 migrations
└ 📁 expand
└ 📄 ${timestamp}-${migration-name}.tsWARNING
The folder monolayer-pg SHOULD BE added to version control.
Apply migrations
Now we'll apply the migrations to the database:
npx monolayer migrations apply --phase allThe command should output something similar to the following:
┌ Migrate all pending migrations (expand, alter, data, contract)
│
◆ APPLIED ${migration-name}
│
◇ Dump database structure ✓
│
└ DoneAfter running the command, the current database structure will be also dumped to a file in monolayer/dumps
// Generated migration file
🗂️ hello-monolayer (project root)
└ 📁 monolayer
└ 📁 dumps
└ 📄 structure.default.sqlYou've defined a schema and applied it to a newly created the database! 🎉