DEV Community

Cover image for Angular's Secret Weapon: Enhancing Performance with HTTPInterceptor
chintanonweb
chintanonweb

Posted on

Angular's Secret Weapon: Enhancing Performance with HTTPInterceptor

Optimize API Requests with Angular HTTPInterceptor

Introduction

In the dynamic world of web development, optimizing API requests is crucial for creating responsive and efficient Angular applications. One powerful tool at our disposal is the Angular HTTPInterceptor. This interceptor allows us to manipulate HTTP requests and responses, providing a centralized and flexible way to handle various scenarios. In this article, we will explore how to harness the potential of Angular HTTPInterceptor to optimize API requests, covering a range of use cases with detailed code examples.

Understanding Angular HTTPInterceptor

Angular HTTPInterceptor acts as a middleware that can intercept and modify HTTP requests and responses globally. This is particularly useful for scenarios such as adding headers, handling errors, or even transforming the data before it reaches the application. By using HTTPInterceptor, developers can implement cross-cutting concerns in a clean and maintainable manner.

Implementing HTTPInterceptor

Let's dive into the implementation details. First, we need to create a class that implements the HttpInterceptor interface provided by Angular. This class will contain the logic for intercepting requests and responses. Below is a basic example:

import { Injectable } from '@angular/core';
import { HttpInterceptor, HttpRequest, HttpHandler, HttpEvent } from '@angular/common/http';
import { Observable } from 'rxjs';

@Injectable()
export class MyInterceptor implements HttpInterceptor {
  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
    // Your interception logic goes here
    return next.handle(req);
  }
}
Enter fullscreen mode Exit fullscreen mode

Use Case 1: Adding Headers to Requests

One common scenario is adding authentication headers to every outgoing request. With HTTPInterceptor, this can be achieved globally without modifying each API call individually.

import { Injectable } from '@angular/core';
import { HttpInterceptor, HttpRequest, HttpHandler, HttpEvent } from '@angular/common/http';
import { Observable } from 'rxjs';

@Injectable()
export class AuthInterceptor implements HttpInterceptor {
  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
    const authReq = req.clone({
      setHeaders: {
        Authorization: `Bearer ${yourAuthToken}`,
      },
    });

    return next.handle(authReq);
  }
}
Enter fullscreen mode Exit fullscreen mode

Use Case 2: Error Handling

HTTPInterceptor also allows for centralizing error handling. You can catch HTTP errors globally and take appropriate actions.

import { Injectable } from '@angular/core';
import { HttpInterceptor, HttpRequest, HttpHandler, HttpEvent, HttpErrorResponse } from '@angular/common/http';
import { Observable, throwError } from 'rxjs';
import { catchError } from 'rxjs/operators';

@Injectable()
export class ErrorInterceptor implements HttpInterceptor {
  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
    return next.handle(req).pipe(
      catchError((error: HttpErrorResponse) => {
        // Handle errors here
        return throwError(error);
      })
    );
  }
}
Enter fullscreen mode Exit fullscreen mode

Use Case 3: Loading Spinner

You can use HTTPInterceptor to show a loading spinner during API requests, providing a better user experience.

import { Injectable } from '@angular/core';
import { HttpInterceptor, HttpRequest, HttpHandler, HttpEvent } from '@angular/common/http';
import { Observable } from 'rxjs';
import { finalize } from 'rxjs/operators';

@Injectable()
export class LoadingInterceptor implements HttpInterceptor {
  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {
    // Show loading spinner
    showLoadingSpinner();

    return next.handle(req).pipe(
      finalize(() => {
        // Hide loading spinner
        hideLoadingSpinner();
      })
    );
  }
}
Enter fullscreen mode Exit fullscreen mode

FAQ Section

Q: Can I have multiple interceptors in my Angular application?

Yes, you can have multiple interceptors in your application. Angular follows a FIFO (First In, First Out) order when applying interceptors.

Q: How do I exclude certain requests from being intercepted?

You can selectively apply interceptors by conditionally calling next.handle(req) based on your criteria. For example, you might want to skip interception for requests to a specific API endpoint.

Q: Is it possible to modify the response data?

Absolutely. You can modify both requests and responses in the interceptors. This allows you to transform data before it reaches your components.

Conclusion

Angular HTTPInterceptor is a powerful tool for optimizing API requests in your Angular applications. By implementing interceptors, you can centralize various functionalities, making your code more modular, maintainable, and efficient. Whether it's handling authentication headers, managing errors, or showing loading spinners, HTTPInterceptor provides a clean and effective solution.

Incorporating these best practices in your Angular project will undoubtedly contribute to a smoother and more responsive user experience. Start leveraging the power of Angular HTTPInterceptor today for a more efficient and maintainable codebase.

Top comments (0)