DEV Community

Cover image for Nest.js Error Handling Mastery: From Basics to Brilliance
chintanonweb
chintanonweb

Posted on

Nest.js Error Handling Mastery: From Basics to Brilliance

Better Error Handling in Nest.js

Introduction

Error handling is an integral part of any application development process, ensuring that potential issues are caught and addressed gracefully. In Nest.js, a robust framework for building efficient, scalable Node.js applications, effective error handling is crucial for delivering a seamless user experience. This article will guide you through various techniques and best practices for better error handling in Nest.js, covering all scenarios from basic error handling to more complex scenarios.

Error Handling Basics

Understanding Error Types

Before diving into error handling techniques, it's essential to understand the different types of errors that can occur in a Nest.js application. Common error types include:

  • Client Errors: These errors occur due to invalid input or actions performed by the client, such as submitting incorrect data or accessing unauthorized resources.

  • Server Errors: Server errors are internal issues that occur within the application, such as database connection failures or unexpected server crashes.

  • Third-party Errors: Errors originating from external services or APIs, such as timeouts or malformed responses.

Handling Synchronous Errors

In Nest.js, synchronous errors can be handled using traditional try-catch blocks or by throwing custom exceptions. Let's take a look at an example:

import { Controller, Get, NotFoundException } from '@nestjs/common';

@Controller('products')
export class ProductsController {
  private products = [];

  @Get(':id')
  getProductById(@Param('id') id: string) {
    const product = this.products.find((p) => p.id === id);
    if (!product) {
      throw new NotFoundException(`Product with ID ${id} not found`);
    }
    return product;
  }
}
Enter fullscreen mode Exit fullscreen mode

In this example, if a product with the specified ID is not found, a NotFoundException is thrown, which automatically returns a 404 response to the client with the specified error message.

Handling Asynchronous Errors

Asynchronous errors, such as those occurring during database operations or API calls, require a different approach for handling. Nest.js provides mechanisms for handling asynchronous errors using Promises or async/await syntax. Let's see how it's done:

import { Injectable, NotFoundException } from '@nestjs/common';
import { InjectModel } from '@nestjs/mongoose';
import { Model } from 'mongoose';
import { Product } from './product.model';

@Injectable()
export class ProductsService {
  constructor(@InjectModel('Product') private readonly productModel: Model<Product>) {}

  async getProductById(id: string): Promise<Product> {
    const product = await this.productModel.findById(id).exec();
    if (!product) {
      throw new NotFoundException(`Product with ID ${id} not found`);
    }
    return product;
  }
}
Enter fullscreen mode Exit fullscreen mode

In this example, the getProductById method performs an asynchronous database query using Mongoose, and if the product is not found, a NotFoundException is thrown.

Advanced Error Handling Techniques

Global Exception Filters

Nest.js allows you to define global exception filters that catch and handle exceptions globally across your application. This is useful for handling uncaught exceptions and providing consistent error responses. Let's create a global exception filter:

import { ExceptionFilter, Catch, ArgumentsHost, HttpException, HttpStatus } from '@nestjs/common';
import { Request, Response } from 'express';

@Catch()
export class GlobalExceptionFilter implements ExceptionFilter {
  catch(exception: unknown, host: ArgumentsHost) {
    const ctx = host.switchToHttp();
    const response = ctx.getResponse<Response>();
    const request = ctx.getRequest<Request>();

    const status = exception instanceof HttpException ? exception.getStatus() : HttpStatus.INTERNAL_SERVER_ERROR;
    const message = exception instanceof HttpException ? exception.getResponse() : 'Internal Server Error';

    response.status(status).json({
      statusCode: status,
      timestamp: new Date().toISOString(),
      path: request.url,
      message: message,
    });
  }
}
Enter fullscreen mode Exit fullscreen mode

Error Interceptors

Error interceptors allow you to intercept and modify error responses before they are sent to the client. This can be useful for formatting error messages or performing additional logging. Let's create an error interceptor:

import { Injectable, NestInterceptor, ExecutionContext, CallHandler } from '@nestjs/common';
import { Observable, throwError } from 'rxjs';
import { catchError } from 'rxjs/operators';

@Injectable()
export class ErrorInterceptor implements NestInterceptor {
  intercept(context: ExecutionContext, next: CallHandler): Observable<any> {
    return next.handle().pipe(
      catchError((error) => {
        console.error('Error occurred:', error);
        return throwError(error);
      }),
    );
  }
}
Enter fullscreen mode Exit fullscreen mode

Custom Exception Handling

Nest.js allows you to create custom exception classes to handle specific types of errors more gracefully. Let's create a custom exception class for handling validation errors:

import { BadRequestException } from '@nestjs/common';

export class ValidationException extends BadRequestException {
  constructor(public validationErrors: string[]) {
    super('Validation failed');
  }
}
Enter fullscreen mode Exit fullscreen mode

FAQ

Q: How can I handle authentication errors in Nest.js?

A: Authentication errors can be handled using middleware or guards to intercept requests and verify the user's credentials. If authentication fails, you can throw a custom exception or return a 401 Unauthorized response.

Q: What is the recommended approach for logging errors in Nest.js?

A: Nest.js provides built-in logging capabilities using various logging modules like @nestjs/logger. You can configure logging levels and destinations according to your application's requirements.

Q: Can I use third-party error tracking services with Nest.js?

A: Yes, Nest.js integrates seamlessly with popular error tracking services like Sentry and Rollbar. You can use their SDKs to capture and report errors from your Nest.js application.

Conclusion

Effective error handling is essential for building robust and reliable Nest.js applications. By understanding the different types of errors and implementing appropriate error handling techniques, you can ensure a smooth user experience and better manage potential issues that may arise during application runtime. Whether it's handling synchronous errors, intercepting asynchronous errors, or implementing global error filters, Nest.js provides a comprehensive set of tools for managing errors effectively.


This article explores various error handling techniques in Nest.js, from basic to advanced, providing practical examples and best practices for building resilient applications. By following these guidelines, developers can enhance the stability and usability of their Nest.js applications, ultimately delivering a superior user experience.

Top comments (1)

Collapse
 
micalevisk profile image
Micael Levi L. C.

just a minor correction, there's no package called @nestjs/logger