ngrx-rtk-query is a plugin to make RTK Query (including auto-generated hooks) works in Angular applications with NgRx!! Mix the power of RTK Query + NgRx + Signals to achieve the same functionality as in the RTK Query guide with hooks.
- Table of Contents
- Installation
- Basic Usage
- Usage with HttpClient or injectable service
- Usage
- FAQ
- Contributors β¨
Angular / NgRx | ngrx-rtk-query | @reduxjs/toolkit | Support |
---|---|---|---|
17.x | >=17.1.x (signals) | ~2.0.1 | Bugs / New Features |
17.x | >=17.0.x (signals) | ~1.9.7 | Bugs |
16.x | >=16.x.x (signals) | ~1.9.7 | Bugs |
16.x | >=4.2.x (rxjs) | ~1.9.5 | Critical bugs |
15.x | 4.1.x (rxjs) | 1.9.5 | None |
Only the latest version of Angular in the table above is actively supported. This is due to the fact that compilation of Angular libraries is incompatible between major versions.
You can install it with npm:
npm install ngrx-rtk-query
When you install using npm or yarn, you will also need to use the Standalone provider provideStoreApi
in your app
or in a lazy route
. You can also set setupListeners here:
import { provideStoreApi } from 'ngrx-rtk-query';
import { api } from './route/to/api.ts';
bootstrapApplication(AppComponent, {
providers: [
...
provideStoreApi(api),
// Or to disable setupListeners:
// provideStoreApi(api, { setupListeners: false })
...
],
}).catch((err) => console.error(err));
You can follow the official RTK Query guide with hooks, with slight variations. You can see the application of this repository for more examples.
Start by importing createApi and defining an "API slice" that lists the server's base URL and which endpoints we want to interact with:
import { createApi, fetchBaseQuery } from 'ngrx-rtk-query';
export interface CountResponse {
count: number;
}
export const counterApi = createApi({
reducerPath: 'counterApi',
baseQuery: fetchBaseQuery({ baseUrl: '/' }),
tagTypes: ['Counter'],
endpoints: (build) => ({
getCount: build.query<CountResponse, void>({
query: () => ({
url: `count`,
}),
providesTags: ['Counter'],
}),
incrementCount: build.mutation<CountResponse, number>({
query: (amount) => ({
url: `increment`,
method: 'PUT',
body: { amount },
}),
invalidatesTags: ['Counter'],
}),
decrementCount: build.mutation<CountResponse, number>({
query: (amount) => ({
url: `decrement`,
method: 'PUT',
body: { amount },
}),
invalidatesTags: ['Counter'],
}),
}),
});
export const {
useGetCountQuery,
useIncrementCountMutation,
useDecrementCountMutation,
} = counterApi;
Add the api to your store
import { provideStoreApi } from 'ngrx-rtk-query';
...
providers: [
...
provideStoreApi(counterApi),
...
],
...
Use the query in a component
import { useDecrementCountMutation, useGetCountQuery, useIncrementCountMutation } from '@app/core/api';
@Component({
selector: 'app-counter-manager',
template: `
<section>
<button
[disabled]="increment.state().isLoading"
(click)="increment.dispatch(1)"
> + </button>
<span *ngIf="countQuery()">{{ countQuery().data?.count || 0 }}</span>
<button
[disabled]="decrement.state().isLoading"
(click)="decrement.dispatch(1)"
> - </button>
</section>
`,
})
export class CounterManagerComponent {
countQuery = useGetCountQuery();
increment = useIncrementCountMutation();
decrement = useDecrementCountMutation();
}
You can use the fetchBaseQuery
function to create a base query that uses the Angular HttpClient
to make requests or any injectable service. Example:
const httpClientBaseQuery = fetchBaseQuery((http = inject(HttpClient), enviroment = inject(ENVIRONMENT)) => {
return async (args, { signal }) => {
const {
url,
method = 'get',
body = undefined,
params = undefined,
} = typeof args === 'string' ? { url: args } : args;
const fullUrl = `${enviroment.baseAPI}${url}`;
const request$ = http.request(method, fullUrl, { body, params });
try {
const data = await lastValueFrom(request$);
return { data };
} catch (error) {
return { error: { status: (error as HttpErrorResponse).status, data: (error as HttpErrorResponse).message } };
}
};
});
export const api = createApi({
reducerPath: 'api',
baseQuery: httpClientBaseQuery,
//...
The use of queries is a bit different compared to the original Queries - RTK Query guide. You can look at the examples from this repository.
The parameters and options of the Query can be signals or static. You can update the signal to change the parameter/option.
The hook useXXXQuery()
returns a signal with all the information indicated in the official documentation (including refetch()
function).
// Use query without params or options
postsQuery = useGetPostsQuery();
// Use query with static params or options
postQuery = useGetPostsQuery(2, {
selectFromResult: ({ data: post, isLoading }) => ({ post, isLoading }),
});
// Use query with signals params or options (can be mixed with static)
id = signal(2);
options = signal(...);
postQuery = useGetPostsQuery(id, options);
Another good use case is with signals inputs and skipToken
<span>{{ locationQuery().data }}</span>
export class CharacterCardComponent implements OnInit {
readonly character = input<Character | undefined>(undefined);
readonly locationQuery = useGetLocationQuery(computed(() => this.character()?.currentLocation ?? skipToken));
// ...
The use of lazy queries is a bit different compared to the original. As in the case of queries, the parameters and options of the Query can be signal or static. You can look at lazy feature example from this repository.
Like in the original library, a lazy returns a object (not array) of 3 items, but the structure and naming of the items is different.
fetch(arg)
: This function is the trigger to run the fetch action.state
: Signal that returns an object with the query state.lastArg
: Signal that returns the last argument.
// Use query without options
postsQuery = useLazyGetPostsQuery();
// Use query with static options
postQuery = useLazyGetPostsQuery({
selectFromResult: ({ data: post, isLoading }) => ({ post, isLoading }),
});
// Use query with signal options
options = signal(...);
postQuery = useLazyGetPostsQuery(options);
Use when data needs to be loaded on demand
<span>{{ xxxQuery.state().data }}</span>
<span>{{ xxxQuery.lastArg() }}</span>
//...
export class XxxComponent {
xxxQuery = useLazyGetXxxQuery();
// ...
xxx(id: string) {
this.xxxQuery.fetch(id).unwrap();
}
// ...
Another good use case is to work with nested or relational data
<span>{{ locationQuery.state().data }}</span>
export class CharacterCardComponent implements OnInit {
@Input() character: Character;
locationQuery = useLazyGetLocationQuery();
ngOnInit(): void {
this.locationQuery.fetch(this.character.currentLocation, { preferCacheValue: true });
}
// ...
preferCacheValue
is false
by default. When true
, if the request exists in cache, it will not be dispatched again.
Perfect for ngOnInit cases. You can look at pagination feature example from this repository.
The use of mutations is a bit different compared to the original Mutations - RTK Query guide. You can look at the examples from this repository.
Like in the original library, a mutation is a object (not array) of 2 items, but the structure and naming of the items is different.
dispatch(params)
: This function is the trigger to run the mutation action.state
: Signal that returns an object with the state, including the status flags and other info (see official docs).
// Use mutation hook
addPost = useAddPostMutation();
// Mutation trigger
addPost.dispatch({params});
// Signal with the state of mutation
addPost.state()
Important: Only for cases with differents base API url. With same base API url, it's preferable to use code splitting
To introduce a lazy/feature/code-splitted query, you must export it through an angular mule. Import this module where needed. You can look at posts feature example from this repository.
// ...
export const postsApi = createApi({
reducerPath: 'postsApi',
baseQuery: baseQueryWithRetry,
tagTypes: ['Posts'],
endpoints: (build) => ({
// ...
}),
});
// ...
import { provideStoreApi } from 'ngrx-rtk-query';
...
providers: [
...
provideStoreApi(postsApi),
...
],
...
Thanks goes to these wonderful people (emoji key):
Saul Moro π¬ π π» π π¨ π π‘ π€ π§ π§βπ« π¦ π¬ π β |
adrian-pena-castro π π» π π π‘ π€ π§ π β |
This project follows the all-contributors specification. Contributions of any kind welcome!