Podcast Title

Author Name

0:00
0:00
Album Art

Angular 19.2 httpResource Guide

By 10xdev team April 05, 2025
Listen

Angular 19.2 introduces an interesting experimental feature called httpResource, which changes how developers handle HTTP requests within the Angular ecosystem. This feature integrates seamlessly with the modern Angular's Signals system, and simply works by automatically sending HTTP requests when signal values change which eliminates the need for manual effect management. Built on top of the resource() function introduced in Angular 19.0, httpResource simplifies reactive data fetching while maintaining compatibility with existing HttpClient infrastructure, offering developers a more streamlined and maintainable approach to API interactions.

Introduction to Angular 19.2 httpResource

httpResource is an experimental API introduced in Angular 19.2 specifically designed to create resources that perform HTTP requests in a reactive way^1. Prior to this feature, triggering HTTP requests based on Signal changes required manual implementation using effects^1. While Angular 19.0's resource() provided a structured approach for handling asynchronous data, httpResource serves as a dedicated solution specifically optimized for HTTP requests^1.

This new function is part of the @angular/common/http package and leverages HttpClient under the hood, to guarantee compatibility with existing interceptors, testing utilities, and other HTTP-related components of the Angular platform^2.

Note: The primary purpose of httpResource is to simplify data fetching by automatically managing HTTP requests that depend on changing state values represented by Signals^3.

By creating a clear abstraction over HTTP operations, httpResource significantly reduces boilerplate code and improves application maintainability, allowing developers to express complex data-fetching logic in a more declarative manner^3.

How httpResource Works

At its core, httpResource integrates seamlessly with Angular's Signals system. Instead of manually managing HTTP requests, developers can pass one or multiple Signals into the URL parameter, and httpResource will automatically execute an HTTP request whenever these Signals' values change^1. The result is stored in a Signal, which becomes accessible as the 'value' property of the returned resource^1.

Technically, httpResource returns an HttpResourceRef object that inherits the same properties as ResourceRef (the type returned by resource()), with additional HTTP-specific properties^2. This design allows httpResource to leverage the underlying resource infrastructure while providing specialized functionality for HTTP operations.

When provided with a reactive function for the URL, httpResource creates a resource that automatically updates as the URL changes via Signals^3. This reactive behavior is particularly valuable for implementing features like pagination, sorting, or filtering that require re-fetching data based on user interactions^3.

Under the hood, httpResource utilizes Angular's HttpClient, which means it maintains compatibility with the existing HTTP infrastructure, including interceptors for authentication, error handling, and request/response transformation^2.

httpResource Example

This quick example will show you how powerful this new feature is:

import { Component, signal } from '@angular/core';
import { httpResource } from '@angular/common/http';
import { User } from './user.model';

@Component({
  selector: 'app-user-list',
  template: `
    <div>Loading...</div>
    <div>Error: </div>
    <ul>
      <li>

      </li>
    </ul>
    <button (click)="nextPage()">Next Page</button>
  `
})
export class UserListComponent {
  // Signal to track the current page
  currentPage = signal(1);

  // Create a resource that depends on the currentPage signal
  usersResource = httpResource<{ data: User[] }>(
    () => `https://reqres.in/api/users?page=${this.currentPage()}`,
    { defaultValue: { data: [] } }
  );

  nextPage() {
    this.currentPage.update(page => page + 1);
    // The resource automatically refreshes when currentPage changes
  }
}

This example demonstrates how httpResource automatically fetches new data whenever the currentPage signal changes, without requiring manual subscription management^3.

Key Features and Benefits

Reactive Data Fetching

httpResource's primary advantage is its reactive data fetching capability. By passing a function that returns a URL which depends on signals, httpResource automatically re-fetches data whenever the signal's value changes^3. This seamless integration with Angular's reactivity model eliminates the need for manual effect creation and cleanup^1.

Built-in Parsing

httpResource introduces a more flexible approach to type handling through its parse option. This allows developers to use a parse function (e.g., with libraries like Zod) for runtime validation and stronger type safety^1. The parsing functionality transforms or validates the raw HTTP response before it's delivered to the resource, enhancing both type safety and data integrity^3.

Default Values

Developers can specify a defaultValue to be used when the resource is idle, loading, or encounters an error^3. This ensures the application maintains a consistent state throughout the request lifecycle, improving user experience by preventing "undefined" errors during loading states^1.

Eager Pre-fetching

Unlike Observables which request data lazily (i.e., upon subscription), httpResource fetches eagerly by default^1. This means data is fetched even before it might be needed, which can improve perceived performance in many use cases^1.

HTTP-Specific Properties

In addition to the standard resource properties, httpResource provides HTTP-specific information through dedicated signals:

  • statusCode: contains the HTTP status code as a number
  • headers: contains the response headers as HttpHeaders
  • progress: contains download progress information as HttpProgressEvent^2

These properties give developers more granular control and insight into the HTTP request lifecycle.

Usage Patterns

Angular 19.2's httpResource supports two primary calling patterns, each suited for different scenarios^3.

URL-based Fetching (GET Requests)

The simplest way to use httpResource is by passing a URL string or a function that returns a URL string:

// Static URL
const usersResource = httpResource<User[]>('/api/users');

// Dynamic URL with signals
const userId = signal(1);
const userResource = httpResource<User>(() => `/api/users/${userId()}`);

This pattern is ideal for straightforward GET requests, especially those that depend on signal values^3. Whenever the signal changes, httpResource automatically triggers a new request with the updated URL.

Object-based Configuration (Complex Requests)

For more advanced use cases, httpResource accepts an object configuration that allows specifying:

  • HTTP method (GET, POST, PUT, DELETE)
  • Request body
  • Query parameters
  • Headers^3
const usersResource = httpResource<{ data: User[] }>({
  url: 'https://reqres.in/api/users',
  method: 'POST',
  body: { page: 1 },
  params: { per_page: 6 },
});

This pattern provides complete flexibility for complex HTTP operations while maintaining the reactive benefits of httpResource^3.

Properties and Methods

httpResource returns an HttpResourceRef with several important properties and methods:

Core Properties (Inherited from ResourceRef)

  • value: a signal containing the deserialized JSON response body
  • status: a signal containing the resource status (idle, loading, error, resolved)
  • error: a signal containing any error if the request fails
  • isLoading: a signal indicating if the resource is currently loading^2

HTTP-Specific Properties

  • statusCode: a signal containing the HTTP status code
  • headers: a signal containing the response headers
  • progress: a signal containing download progress information^2

Methods

  • reload(): manually triggers a refresh of the resource
  • update() and set(): methods to change the value of the resource
  • asReadonly(): returns a read-only version of the resource
  • hasValue(): checks if the resource has a value
  • destroy(): stops the resource and cleans up subscriptions^2

These properties and methods provide a comprehensive API for working with HTTP resources in a reactive manner.

Limitations and Considerations

While httpResource offers significant advantages for data fetching, there are important limitations to consider:

Not a Replacement for HttpClient

httpResource is optimized specifically for reactive data fetching and is not intended to replace HttpClient for all operations, particularly mutations (POST, PUT, DELETE)^1. For complex mutation operations or scenarios requiring fine-grained control over the request lifecycle, HttpClient remains the recommended approach.

Default Behavior Considerations

The eager pre-fetching behavior of httpResource differs from the lazy nature of Observables^1. While this can improve perceived performance in many cases, it might not be optimal for all scenarios, especially those with limited resources or expensive API calls.

Experimental Status

As of Angular 19.2, httpResource is marked as experimental, indicating that its API might evolve in future releases^1^3. Developers should be prepared for potential changes when adopting this feature in production applications.

Conclusion

Angular 19.2's httpResource represents an important progression in how developers handle HTTP requests within the Angular ecosystem. By integrating seamlessly with Signals, it offers a more declarative, reactive approach to data fetching that reduces boilerplate code and improves application maintainability.

The feature addresses common challenges in reactive HTTP requests by automatically handling subscription management, providing built-in parsing capabilities, and offering flexible configuration options for different HTTP operations. Its compatibility with existing Angular HTTP infrastructure ensures a smooth adoption path for developers.

As Angular continues to evolve its reactivity model with Signals, httpResource serves as an important bridge between the reactive programming paradigm and the HTTP layer, enabling more elegant and maintainable data-fetching patterns. While still experimental, httpResource demonstrates Angular's commitment to improving developer experience and application performance through thoughtful API design.

Join the 10xdev Community

Subscribe and get 8+ free PDFs that contain detailed roadmaps with recommended learning periods for each programming language or field, along with links to free resources such as books, YouTube tutorials, and courses with certificates.

Recommended For You

Up Next