NgRx data flow end-to-end in Angular: actions, reducers, effects, selectors

HighIntermediateAngular
Quick Answer

NgRx data flow is a predictable loop, but the high-value explanation is operational: UI intent dispatches actions, reducers stay pure, effects handle async side effects, and selectors expose debug-friendly read models back to Angular components.

Answer

Operational loop

NgRx is most useful when you explain it as a debuggable one-way loop: the UI dispatches intent, reducers compute immutable state, effects run async side effects beside that loop, and selectors expose a clean read model back to the template. That framing is what separates “I know the words” from production understanding.

Step

Who does it

What happens

Why it matters

  1. UI intent

Component

User clicks/searches; component dispatches an action

Events become explicit and traceable

  1. State transition

Reducer

Pure function returns next immutable state

Predictable updates and easy debugging

  1. Async side effect

Effect

Listens to action, calls API, dispatches success/failure

Keeps reducers pure and components thin

  1. Read model

Selector

Memoized selection/derivation from store state

Performance + reusable view logic

  1. Render

Template + async pipe

Subscribes to selector output and updates UI

Reactive view with minimal manual subscriptions

NgRx data flow diagram (end-to-end loop)
TYPESCRIPT
// books.actions.ts
import { createAction, props } from '@ngrx/store';

export const loadBooks = createAction('[Books Page] Load Books');
export const loadBooksSuccess = createAction(
  '[Books API] Load Books Success',
  props<{ books: Book[] }>()
);
export const loadBooksFailure = createAction(
  '[Books API] Load Books Failure',
  props<{ error: string }>()
);

// books.reducer.ts
import { createReducer, on } from '@ngrx/store';

export interface BooksState {
  books: Book[];
  loading: boolean;
  error: string | null;
}

export const initialState: BooksState = {
  books: [],
  loading: false,
  error: null
};

export const booksReducer = createReducer(
  initialState,
  on(loadBooks, state => ({ ...state, loading: true, error: null })),
  on(loadBooksSuccess, (state, { books }) => ({ ...state, books, loading: false })),
  on(loadBooksFailure, (state, { error }) => ({ ...state, error, loading: false }))
);

// books.effects.ts
import { Injectable, inject } from '@angular/core';
import { Actions, createEffect, ofType } from '@ngrx/effects';
import { catchError, map, of, switchMap } from 'rxjs';

@Injectable()
export class BooksEffects {
  private actions$ = inject(Actions);
  private api = inject(BooksApiService);

  loadBooks$ = createEffect(() =>
    this.actions$.pipe(
      ofType(loadBooks),
      switchMap(() =>
        this.api.getBooks().pipe(
          map(books => loadBooksSuccess({ books })),
          catchError(err => of(loadBooksFailure({ error: String(err) })))
        )
      )
    )
  );
}

// books.selectors.ts
import { createFeatureSelector, createSelector } from '@ngrx/store';

export const selectBooksState = createFeatureSelector<BooksState>('books');
export const selectBooks = createSelector(selectBooksState, s => s.books);
export const selectLoading = createSelector(selectBooksState, s => s.loading);
export const selectError = createSelector(selectBooksState, s => s.error);
export const selectVm = createSelector(
  selectBooks,
  selectLoading,
  selectError,
  (books, loading, error) => ({ books, loading, error, total: books.length })
);

// books-page.component.ts
import { ChangeDetectionStrategy, Component, inject } from '@angular/core';
import { Store } from '@ngrx/store';

@Component({
  selector: 'app-books-page',
  template: `
    <button (click)="reload()">Reload</button>

    <ng-container *ngIf="vm$ | async as vm">
      <p *ngIf="vm.loading">Loading...</p>
      <p *ngIf="vm.error">Error: {{ vm.error }}</p>
      <p>Total: {{ vm.total }}</p>
      <li *ngFor="let b of vm.books">{{ b.title }}</li>
    </ng-container>
  `,
  changeDetection: ChangeDetectionStrategy.OnPush
})
export class BooksPageComponent {
  private store = inject(Store);
  readonly vm$ = this.store.select(selectVm);

  ngOnInit(): void {
    this.store.dispatch(loadBooks());
  }

  reload(): void {
    this.store.dispatch(loadBooks());
  }
}
                  

Common mistake

Why it breaks

Fix

Putting HTTP in reducers

Reducers must be synchronous and pure

Move async work to effects

Doing heavy mapping in components

Duplicates logic and hurts performance

Use memoized selectors for derived view models

Subscribing manually everywhere

Leak risk and boilerplate

Use store.select(...) + async pipe

Dispatching vague action names

Hard to trace intent in DevTools

Use event-style action naming ([Source] Event)

What interviewers flag quickly

Interview summary

In Angular state management with NgRx, components dispatch actions for user intent, reducers compute next immutable state, selectors expose memoized read models, and templates render selector output. Effects handle async side effects and dispatch success/failure actions back into the same loop. If you can explain that loop clearly, you understand NgRx data flow.

Similar questions
Guides
Preparing for interviews?

Use the relevant interview-question hub first, then move into a concrete study plan before targeted company sets.