6

API with NestJS #129. Implementing soft deletes with SQL and Kysely

 11 months ago
source link: https://wanago.io/2023/10/16/api-with-nestjs-129-implementing-soft-deletes-with-sql-and-kysely/
Go to the source link to view the article. You can view the picture content, updated content and better typesetting reading experience. If the link is broken, please click the button below to view the snapshot at that time.
neoserver,ios ssh client

The purpose of soft deletes

The simplest way to add the soft delete feature is through a boolean flag.

CREATE TABLE comments (
  id int GENERATED BY DEFAULT AS IDENTITY PRIMARY KEY,
  content text NOT NULL,
  article_id int REFERENCES articles(id) NOT NULL,
  author_id int REFERENCES users(id) NOT NULL,
  is_deleted boolean DEFAULT false

In the above code, we use the DEFAULT keyword. This means that the is_deleted flag is set to false by default whenever we insert an entity into our database.

INSERT into comments (
  content,
  article_id,
  author_id
) VALUES (
  'An interesting article!',
RETURNING *

Screenshot-from-2023-10-15-22-14-34.png

We don’t use the DELETE keyword when we want to do a soft delete on the record above. Instead, we don’t delete it permanently. To achieve that, we change the value in the is_deleted column.

UPDATE comments
SET is_deleted = true
WHERE id = 1

The important thing is that implementing soft deletes impacts various queries. For instance, we need to consider it when retrieving the list of all entities.

SELECT * FROM comments
WHERE is_deleted = false

Soft delete pros

The most apparent benefit of soft deletes is that we can quickly recover the deleted entities. While backups can also do this, soft deletes provide a better user experience. A practical example is an undo button that sets the is_deleted flag back to false. We can also retrieve the deleted records from the database, even though we’ve marked them as removed. This can be helpful when we want to create a report that includes all our records, for instance.

Soft deletes can also come in handy when handling relationships. For instance, permanently deleting a record referenced in another table can lead to a foreign constraint violation. This doesn’t occur with soft deletes because we don’t remove the entities from the database.

If you want to learn more about constraints, check out API with NestJS #124. Handling SQL constraints with Kysely

Soft delete cons

A significant drawback of soft deletes is that we have to account for them in all associated queries. If we retrieve our data and overlook filtering by the is_deleted column, we could provide the data the users shouldn’t have access to. Implementing this filtering can also impact our performance.

Another important thing to consider is the unique constraint. Let’s examine the users table we defined in one of the earlier parts of this series.

20230813165809_add_users_table.ts
import { Kysely } from 'kysely';
export async function up(database: Kysely<unknown>): Promise<void> {
  await database.schema
    .createTable('users')
    .addColumn('id', 'serial', (column) => {
      return column.primaryKey();
    .addColumn('email', 'text', (column) => {
      return column.notNull().unique();
    .addColumn('name', 'text', (column) => {
      return column.notNull();
    .addColumn('password', 'text', (column) => {
      return column.notNull();
    .execute();
export async function down(database: Kysely<unknown>): Promise<void> {
  await database.schema.dropTable('users').execute();

In the situation mentioned above, we require a unique email for each user. With hard deletes, deleting users would free up their email for others to use. However, with soft deletes, we don’t remove records from the database, so deleting users this way doesn’t make their emails available to others.

Implementing soft deletes with Kysely

A commonly used approach for soft deletes involves storing the deletion date instead of a simple boolean flag.

20231015202921_add_comments_table.ts
import { Kysely } from 'kysely';
export async function up(database: Kysely<unknown>): Promise<void> {
  await database.schema
    .createTable('comments')
    .addColumn('id', 'serial', (column) => {
      return column.primaryKey();
    .addColumn('content', 'text', (column) => {
      return column.notNull();
    .addColumn('article_id', 'integer', (column) => {
      return column.references('articles.id');
    .addColumn('author_id', 'integer', (column) => {
      return column.references('users.id');
    .addColumn('deleted_at', 'timestamptz')
    .execute();
export async function down(database: Kysely<unknown>): Promise<void> {
  await database.schema.dropTable('users').execute();

If you’re interested in learning more about dates in PostgreSQL, take a look at Managing date and time with PostgreSQL and TypeORM

Besides creating the migration, we also need to design an appropriate interface.

commentsTable.ts
import { Generated } from 'kysely';
export interface CommentsTable {
  id: Generated<number>;
  content: string;
  author_id: number;
  article_id: number;
  deleted_at: Date | null;

We also need to add it to our Tables interface.

database.ts
import { ArticlesTable } from '../articles/articlesTable';
import { Kysely } from 'kysely';
import { UsersTable } from '../users/usersTable';
import { AddressesTable } from '../users/addressesTable';
import { CategoriesTable } from '../categories/categoriesTable';
import { CategoriesArticlesTable } from '../categories/categoriesArticlesTable';
import { CommentsTable } from '../comments/commentsTable';
export interface Tables {
  articles: ArticlesTable;
  users: UsersTable;
  addresses: AddressesTable;
  categories: CategoriesTable;
  categories_articles: CategoriesArticlesTable;
  comments: CommentsTable;
export class Database extends Kysely<Tables> {}

Besides the above, we must create a model to handle the data returned from the database.

comment.model.ts
export interface CommentModelData {
  id: number;
  content: string;
  author_id: number;
  article_id: number;
  deleted_at: Date | null;
export class Comment {
  id: number;
  content: string;
  authorId: number;
  articleId: number;
  deletedAt: Date | null;
  constructor(commentData: CommentModelData) {
    this.id = commentData.id;
    this.content = commentData.content;
    this.authorId = commentData.author_id;
    this.articleId = commentData.article_id;
    this.deletedAt = commentData.deleted_at;

Creating records

To create an entity, we first need to define a Data Transfer Object that validates the data coming from the user.

comment.dto.ts
import { IsString, IsNotEmpty, IsNumber } from 'class-validator';
export class CommentDto {
  @IsString()
  @IsNotEmpty()
  content: string;
  @IsNumber()
  articleId: number;

Please notice that we are not allowing the users to set the value of the deleted_at column. Instead, we want it to be null by default.

comments.repository.ts
import { BadRequestException, Injectable } from '@nestjs/common';
import { Comment } from './comment.model';
import { CommentDto } from './comment.dto';
import { Database } from '../database/database';
import { PostgresErrorCode } from '../database/postgresErrorCode.enum';
import { isDatabaseError } from '../types/databaseError';
@Injectable()
export class CommentsRepository {
  constructor(private readonly database: Database) {}
  async create(commentData: CommentDto, authorId: number) {
      const databaseResponse = await this.database
        .insertInto('comments')
        .values({
          content: commentData.content,
          author_id: authorId,
          article_id: commentData.articleId,
        .returningAll()
        .executeTakeFirstOrThrow();
      return new Comment(databaseResponse);
    } catch (error) {
        isDatabaseError(error) &&
        error.code === PostgresErrorCode.ForeignKeyViolation
        throw new BadRequestException('Article not found');
      throw error;
  // ...

Above, we look for the foreign key violations to detect if the user tried to create a comment for an article that does not exist.

Deleting records

A critical aspect of soft deletes is managing the DELETE method correctly.

comments.controller.ts
import {
  ClassSerializerInterceptor,
  Controller,
  Delete,
  Param,
  UseGuards,
  UseInterceptors,
} from '@nestjs/common';
import FindOneParams from '../utils/findOneParams';
import { CommentsService } from './comments.service';
import { JwtAuthenticationGuard } from '../authentication/jwt-authentication.guard';
@Controller('comments')
@UseInterceptors(ClassSerializerInterceptor)
export class CommentsController {
  constructor(private readonly commentsService: CommentsService) {}
  @Delete(':id')
  @UseGuards(JwtAuthenticationGuard)
  async delete(@Param() { id }: FindOneParams) {
    await this.commentsService.delete(id);
  // ...

The query in our repository should correctly set the value for the delete_at column. One approach to achieve this is using the now() function built into PostgreSQL, which provides the current date and time and the timezone.

comments.repository.ts
import { Injectable, NotFoundException } from '@nestjs/common';
import { Comment } from './comment.model';
import { Database } from '../database/database';
import { sql } from 'kysely';
@Injectable()
export class CommentsRepository {
  constructor(private readonly database: Database) {}
  async delete(id: number) {
    const databaseResponse = await this.database
      .updateTable('comments')
      .set({
        deleted_at: sql`now()`,
      .where('id', '=', id)
      .where('deleted_at', 'is', null)
      .returningAll()
      .executeTakeFirst();
    if (!databaseResponse) {
      throw new NotFoundException();
    return new Comment(databaseResponse);
  // ...

We use where('deleted_at', 'is', null) to disallow removing an entity already marked as deleted.

Fetching records

Considering the deleted_at column in the rest of our queries is essential. A good example is when fetching records. For starters, we need to filter out the records with the delete_at values using where('deleted_at', 'is', null).

comments.repository.ts
import { Injectable, NotFoundException } from '@nestjs/common';
import { Comment } from './comment.model';
import { Database } from '../database/database';
@Injectable()
export class CommentsRepository {
  constructor(private readonly database: Database) {}
  async getAll() {
    const databaseResponse = await this.database
      .selectFrom('comments')
      .where('deleted_at', 'is', null)
      .selectAll()
      .execute();
    return databaseResponse.map((comment) => new Comment(comment));
  async getById(id: number) {
    const databaseResponse = await this.database
      .selectFrom('comments')
      .where('id', '=', id)
      .where('deleted_at', 'is', null)
      .selectAll()
      .executeTakeFirst();
    if (!databaseResponse || databaseResponse.deleted_at) {
      throw new NotFoundException();
    return new Comment(databaseResponse);
  // ...

Thanks to the above, attempting to retrieve a record marked as deleted will result in the 404 Not Found error.

Updating records

The use of soft deletes can also impact how we implement updating entities. We aim for our API to return a 404 Not Found error when a user attempts to update a record marked as deleted.

comments.repository.ts
import { Injectable, NotFoundException } from '@nestjs/common';
import { Comment } from './comment.model';
import { CommentDto } from './comment.dto';
import { Database } from '../database/database';
@Injectable()
export class CommentsRepository {
  constructor(private readonly database: Database) {}
  async update(id: number, commentData: CommentDto) {
    const databaseResponse = await this.database
      .updateTable('comments')
      .set({
        content: commentData.content,
        article_id: commentData.articleId,
      .where('id', '=', id)
      .where('deleted_at', 'is', null)
      .returningAll()
      .executeTakeFirst();
    if (!databaseResponse) {
      throw new NotFoundException();
    return new Comment(databaseResponse);
  // ...

Restoring records

There might be instances where we want to restore a deleted entity. Thankfully, this simple task can be accomplished by setting the value in the deleted_at column to null.

import { Injectable, NotFoundException } from '@nestjs/common';
import { Comment } from './comment.model';
import { Database } from '../database/database';
@Injectable()
export class CommentsRepository {
  constructor(private readonly database: Database) {}
  async restore(id: number) {
    const databaseResponse = await this.database
      .updateTable('comments')
      .set({
        deleted_at: null,
      .where('id', '=', id)
      .returningAll()
      .executeTakeFirst();
    if (!databaseResponse) {
      throw new NotFoundException();
    return new Comment(databaseResponse);
  // ...

Summary

In this article, we’ve explored soft deletes and discussed their advantages and disadvantages. Soft deletes can enhance the user experience when deleting and restoring entities. However, they do introduce added complexity to all of our SQL queries. Despite this, soft deletes have specific use cases and can be valuable in certain situations.


About Joyk


Aggregate valuable and interesting links.
Joyk means Joy of geeK