Using ENUM Type in TypeORM

Updated: February 7, 2022 By: A Goodman One comment

If you’re working with PostgreSQL or MySQL and making use of TypeORM in your code then you can add a column with the ENUM (enumerated) data type like so:

// book.entity.ts
import {
  Entity,
  PrimaryGeneratedColumn,
  Column,
} from 'typeorm'

export enum BookFormat {
  HARDCOVER = 'hardcover',
  PAPERBACK = 'paperback',
  DIGITAL = 'digital'
}

@Entity()
export class Book {

  @PrimaryGeneratedColumn()
  id: number;

  @Column()
  title: string;

  @Column({
    type: 'enum',
    enum: BookFormat,
    default: BookFormat.DIGITAL
  })
  format: BookFormat
}

This entity will create a table named books with a format column look as shown below (If you’re using Postgres, you will get the same result as mine. If you’re using MySQL, the outcome is almost the same):

In case you want to use an array with enum values:

import {
  Entity,
  PrimaryGeneratedColumn,
  Column,
} from 'typeorm'

export type BookFormat = "hardcover" | "paperback" | "digital";

@Entity({name: 'books'})
export class Book {

  @PrimaryGeneratedColumn()
  id: number;

  @Column()
  title: string;

  @Column({
    type: 'enum',
    enum: ["hardcover", "paperback", "digital"],
    default: "digital"
  })
  format: BookFormat
}

Further reading:

You can also check out our database topic page for the latest tutorials and examples.

Subscribe
Notify of
guest
1 Comment
Inline Feedbacks
View all comments
Mahabub
Mahabub
8 months ago

Thanks a lot!

Related Articles