Migration is a way to manage database schema changes over time.
With migrations, you can update your db structure without manually running SQL scripts. TypeORM generates these migrations for you, and i can apply them automatically to the db.
Create → run → revert
Setting Up Migrations: First, configure TypeORM to use migrations by specifying migration-related options in your ormconfig.js file.
// ormconfig.js (or ormconfig.json)
module.exports = {
type: 'postgres',
host: 'localhost',
port: 5432,
username: 'test',
password: 'test',
database: 'test_db',
entities: ['src/**/*.entity.ts'],
migrations: ['src/migration/*.ts'], // Location where migrations will be stored
cli: {
migrationsDir: 'src/migration', // Directory for generating migration files
},
synchronize: false, // Disable synchronize when using migrations
};
The Synchronize: false
option is important because it ensure Type ORM won’t automatically sync your entities with the db schema allowing migrations to take control
Generating a Migration: WHen you make changes to your entities, you can generate a migration that reflects those changes. TypeORM will automatically detect the differences between the current db schema and your entities and create the necessary SQL commands to update the schema
pnpm typeorm migration:generate -n MigrationName
AddAgeColumnToUsers
or CreateOrdersTable
src/migration/
directory with SQL commands needed to apply the schema changes.import { MigrationInterface, QueryRunner } from 'typeorm';
export class AddAgeColumnToUsers1640548236143 implements MigrationInterface {
public async up(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "users" ADD "age" integer`);
}
public async down(queryRunner: QueryRunner): Promise<void> {
await queryRunner.query(`ALTER TABLE "users" DROP COLUMN "age"`);
}
}
pnpm typeorm migration:run
pnpm typeorm migration:revert
Generate a migration:
bashCopy code
pnpm typeorm migration:generate -n MigrationName