Object-Relational Mappers (ORMs) bridge the gap between JavaScript code and SQL databases. sequelize, typeorm, objection, and bookshelf are four popular choices in the Node.js ecosystem. sequelize and typeorm are full-featured ORMs with active record patterns, while objection and bookshelf are built on top of the knex query builder, offering a different approach to data modeling. This comparison helps full-stack developers select the right tool for serverless functions, API routes, or dedicated backend services.
When building a backend in Node.js — whether for serverless functions, API routes, or a dedicated service — you need a reliable way to talk to your database. Object-Relational Mappers (ORMs) let you interact with database tables using JavaScript classes instead of raw SQL. While sequelize and typeorm are full-featured standalone ORMs, objection and bookshelf sit on top of the knex query builder. Let's break down how they handle real-world tasks.
How you define your tables sets the tone for the rest of your code. Some tools use classes, others use configuration objects, and some rely on decorators.
sequelize uses a class-based initialization or a define method.
// sequelize: Model definition
const User = sequelize.define('User', {
firstName: DataTypes.STRING,
lastName: DataTypes.STRING
});
typeorm relies heavily on TypeScript decorators.
// typeorm: Entity definition
@Entity()
export class User {
@PrimaryGeneratedColumn()
id: number;
@Column()
firstName: string;
}
objection extends a base Model class.
tableName property.knex under the hood for query building.// objection: Model class
class User extends Model {
static get tableName() {
return 'users';
}
}
bookshelf extends bookshelf.Model.
objection but with an older API style.knex instance to be passed during setup.// bookshelf: Model definition
const User = bookshelf.Model.extend({
tableName: 'users'
});
Reading data is the most common operation. The syntax varies from promise-based chains to repository patterns.
sequelize uses static methods on the model.
findOne or findAll return promises.// sequelize: Fetching
const user = await User.findOne({
where: { lastName: 'Smith' }
});
typeorm uses a Repository pattern.
find or findOneBy are used.// typeorm: Fetching
const user = await userRepository.findOneBy({
lastName: 'Smith'
});
objection chains query methods.
query() on the model class.// objection: Fetching
const user = await User.query().findOne({
lastName: 'Smith'
});
bookshelf uses instance methods.
.fetch() to execute the query.// bookshelf: Fetching
const user = await new User({ lastName: 'Smith' }).fetch();
Real apps rarely have just one table. Joining users to posts or orders is critical.
sequelize defines associations explicitly.
hasMany, belongsTo, etc., after defining models.include option.// sequelize: Relations
User.hasMany(Post);
const user = await User.findOne({
where: { id: 1 },
include: [Post]
});
typeorm defines relations inside the entity class.
@OneToMany describe the link.relations option or joins.// typeorm: Relations
@OneToMany(() => Post, post => post.user)
posts: Post[];
// Fetching with relations
const user = await userRepository.findOne({
where: { id: 1 },
relations: ['posts']
});
objection uses a static relationMappings object.
withGraphFetched to load related data.// objection: Relations
static get relationMappings() {
return {
posts: {
relation: Model.HasManyRelation,
modelClass: Post,
join: { from: 'users.id', to: 'posts.userId' }
}
};
}
// Fetching
const user = await User.query().findById(1).withGraphFetched('posts');
bookshelf defines relations as methods on the model.
this.hasMany or this.belongsTo call..fetch({ withRelated: [...] }) to load.// bookshelf: Relations
posts() {
return this.hasMany(Post);
}
// Fetching
const user = await new User({ id: 1 }).fetch({
withRelated: ['posts']
});
For frontend developers moving to full-stack, type safety is non-negotiable.
sequelize has improved significantly in recent versions.
// sequelize: TS usage
interface UserCreationAttrs {
firstName: string;
}
const User = sequelize.define<User, UserCreationAttrs>('User', {...});
typeorm is built with TypeScript in mind.
// typeorm: TS usage
@Entity()
export class User {
@PrimaryGeneratedColumn()
id: number; // Type is inferred
}
objection supports TypeScript via generics.
Model class.knex.// objection: TS usage
class User extends Model {
id!: number;
firstName!: string;
}
bookshelf has weaker TypeScript support.
// bookshelf: TS usage
// Often requires 'any' or complex interface extensions
interface User extends bookshelf.Model<User> {
firstName(): string;
}
Choosing a library is a long-term commitment. You want to know the team behind it is still active.
sequelize is highly active.
typeorm is highly active.
objection is actively maintained.
knex updates.knex users.bookshelf is in maintenance mode.
objection.objection instead if you need knex.| Feature | sequelize | typeorm | objection | bookshelf |
|---|---|---|---|---|
| Pattern | Active Record | Active Record / Data Mapper | Active Record on Knex | Active Record on Knex |
| Setup | sequelize.define | Decorators @Entity | Class extends Model | bookshelf.Model.extend |
| Query Style | Static Methods | Repository | Query Builder Chain | Instance Methods |
| TypeScript | Good (Generics) | Excellent (Decorators) | Good (Generics) | Weak |
| Status | ✅ Active | ✅ Active | ✅ Active | ⚠️ Maintenance |
sequelize is the reliable workhorse 🐴. It has been around for years, handles complex SQL dialects well, and is a safe bet for traditional backends. If you want something that just works with PostgreSQL or MySQL without extra configuration, this is it.
typeorm is the TypeScript native 📘. If your team lives in TypeScript and uses decorators, this feels the most natural. It is also the default choice if you are using NestJS.
objection is the flexible query builder 🛠️. It gives you the power of knex with the convenience of models. Choose this if you find standard ORMs too restrictive and want to write queries that feel closer to SQL.
bookshelf is the legacy option 🕰️. While it still works, the community has largely moved to objection for knex-based projects. Start with objection if you need that specific architecture.
Final Thought: For most new full-stack projects today, typeorm or sequelize will offer the smoothest experience. If you need raw query power, pick objection. Skip bookshelf for new development to avoid future migration headaches.
Choose typeorm if you are heavily invested in TypeScript and prefer using decorators to define entities. It supports both SQL and NoSQL (MongoDB) databases, making it flexible for polyglot persistence. It is often the top pick for NestJS applications and modern full-stack frameworks.
Choose sequelize if you need a mature, batteries-included ORM with a strong focus on SQL dialects like PostgreSQL, MySQL, and SQLite. It is well-suited for teams that want a standard Active Record pattern with built-in migrations and validation. It is a safe, stable choice for traditional Node.js backends.
Choose objection if you want the flexibility of the knex query builder with a cleaner model layer. It is ideal for developers who prefer writing SQL-like queries in JavaScript without giving up model relationships. It shines in projects where you need fine-grained control over queries but still want object mapping.
Choose bookshelf only if you are maintaining a legacy system already using it. It is built on knex but has seen significantly slower development activity compared to modern alternatives. For new projects, the community generally recommends objection for a knex-based workflow due to better TypeScript support and active maintenance.
TypeORM is an ORM that can run in Node.js, Browser, Cordova, Ionic, React Native, NativeScript, Expo, and Electron platforms and can be used with TypeScript and JavaScript (ES2021). Its goal is to always support the latest JavaScript features and provide additional features that help you to develop any kind of application that uses databases - from small applications with a few tables to large-scale enterprise applications with multiple databases.
TypeORM supports more databases than any other JS/TS ORM: Google Spanner, Microsoft SqlServer, MySQL/MariaDB, MongoDB, Oracle, Postgres, SAP HANA and SQLite, as well we derived databases and different drivers.
TypeORM supports both Active Record and Data Mapper patterns, unlike all other JavaScript ORMs currently in existence, which means you can write high-quality, loosely coupled, scalable, maintainable applications in the most productive way.
TypeORM is highly influenced by other ORMs, such as Hibernate, Doctrine and Entity Framework.
And more...
With TypeORM, your models look like this:
import { Entity, PrimaryGeneratedColumn, Column } from "typeorm"
@Entity()
export class User {
@PrimaryGeneratedColumn()
id: number
@Column()
firstName: string
@Column()
lastName: string
@Column()
age: number
}
And your domain logic looks like this:
const userRepository = MyDataSource.getRepository(User)
const user = new User()
user.firstName = "Timber"
user.lastName = "Saw"
user.age = 25
await userRepository.save(user)
const allUsers = await userRepository.find()
const firstUser = await userRepository.findOneBy({
id: 1,
}) // find by id
const timber = await userRepository.findOneBy({
firstName: "Timber",
lastName: "Saw",
}) // find by firstName and lastName
await userRepository.remove(timber)
Alternatively, if you prefer to use the ActiveRecord implementation, you can use it as well:
import { Entity, PrimaryGeneratedColumn, Column, BaseEntity } from "typeorm"
@Entity()
export class User extends BaseEntity {
@PrimaryGeneratedColumn()
id: number
@Column()
firstName: string
@Column()
lastName: string
@Column()
age: number
}
And your domain logic will look this way:
const user = new User()
user.firstName = "Timber"
user.lastName = "Saw"
user.age = 25
await user.save()
const allUsers = await User.find()
const firstUser = await User.findOneBy({
id: 1,
})
const timber = await User.findOneBy({
firstName: "Timber",
lastName: "Saw",
})
await timber.remove()
Take a look at the samples in sample for examples of usage.
There are a few repositories that you can clone and start with:
There are several extensions that simplify working with TypeORM and integrating it with other modules:
data-source.ts after generating migrations/entities - typeorm-codebase-syncrelations objects - typeorm-relationsrelations based on a GraphQL query - typeorm-relations-graphqlLearn about contribution here and how to set up your development environment here.
This project exists thanks to all the people who contribute:
Open source is hard and time-consuming. If you want to invest in TypeORM's future, you can become a sponsor and allow our core team to spend more time on TypeORM's improvements and new features.
Become a champion sponsor and get premium technical support from our core contributors. Become a champion
Support TypeORM's development with a monthly contribution. Become a supporter
Join our community of supporters and help sustain TypeORM. Become a community supporter
Make a one-time or recurring contribution of your choice. Become a sponsor