Lesson 0: Reference book
This post is a notebook for Angular.
You can use it as reference to find directly what you need.
Learning pages
This accumulates different aspects including some references or my own notes.
https://angular.dev/tutorials/learn-angular#how-to-use-this-tutorial
https://angular.dev/guide/components
https://angular.dev/guide/templates/two-way-binding
https://angular.dev/api/forms/Validators
https://angular.dev/guide/templates/defer
Lesson 1 - Basics
Basic component
1 | import {Component} from '@angular/core'; |
Component has 3 things - typescript class, html template and css styles.
Templating
We use {{
in html templates to insert values:
1 | template: ` |
docs:
https://angular.dev/guide/components
Using other comps
Use Imports and reference the comp in the template.
Imports is used as a tree in component usage in Angular.
While the import of code is still needed in JS/TS.
1 | import {Component} from '@angular/core'; |
If statements in templates
1 | template: ` |
For statements
1 | import {Component} from '@angular/core'; |
The track
tracks a key property, in our example it is user.id,
I static collections we can use track $index
.
Property binding
MVS style binding of properties:
use []
on attributes:
1 | template: ` |
On Events
We use ()
on evenets to register to functions:
example:<button (click)="greet()" >
All code:
1 | import {Component} from '@angular/core'; |
@Input
Add decorator @Input to receive something as input
1 | import {Component, Input} from '@angular/core'; |
From other you use it:
1 | <app-user name="bob"/> |
@Output
Implements the observer pattern to communicate between child component and parent component.
@Outptu
uses an EventEmitter
to emit the event.
Child comp:
1 | new EventEmitter<string>(); () turtleAdded = |
Parent comp:
1 | <child-comp (turtleAdded)="addTurtle($event)" /> |
Lesson 2 - Content
Routing
Routing is done in order for the framework to know what content we want to load when we access a path.
Routing:
1
2import {Routes} from '@angular/router';
export const routes: Routes = [];Config:
1
2
3
4
5
6
7import {ApplicationConfig} from '@angular/core';
import {provideRouter} from '@angular/router';
import {routes} from './app.routes';
export const appConfig: ApplicationConfig = {
providers: [provideRouter(routes)],
};Add router outlet:
1
2
3
4
5
6
7
8
9
10
11
12
13
14import {RouterOutlet} from '@angular/router';
({
...
template: `
<nav>
<a href="/">Home</a>
|
<a href="/user">User</a>
</nav>
<router-outlet />
`,
imports: [RouterOutlet],
})
export class AppComponent {}
Add a route
Now to add a route path it’s simple as adding the route:
1 | export const routes: Routes = [ |
SPA - Refresh content and not page
Add Router Link
1
2
3
4
5import { RouterLink, RouterOutlet } from '@angular/router';
({
imports: [RouterLink, RouterOutlet],
...
})When linking to a route like using the
<a></a>
element, use RouterLink:1
2
3
4
5
6
7
8
9import { RouterLink, RouterOutlet } from '@angular/router';
({
...
template: `
<a routerLink="/">Home</a>
<a routerLink="/user">User</a>
`,
imports: [RouterLink, RouterOutlet],
})
Forms
Angular has 2 types of forms:
- Template-Driven
- Reactive
Template driven forms
Import the Forms Module:
1 | import {Component} from '@angular/core'; |
Use the “Banana in a box” to bind the property both ways.
1 | <input id="framework" type="text" [(ngModel)]="favoriteFramework"/></label> |
More on two way binding:
https://angular.dev/guide/templates/two-way-binding
To display it or use it access like any other variable:
1 | template:`{{favoriteFramework}}` |
Reactive forms
Reactive forms are driven by data streams with grouping of data into models.
Add ReactiveFormsModule
:
1 | import { ReactiveFormsModule } from '@angular/forms'; |
Use the FormGroup
and FormControl
to create a model:
1 | import {ReactiveFormsModule, FormControl, FormGroup } from '@angular/forms'; |
In the template use [formGroup]=""
and formControlName=""
to indicate the variable to use.
To handle the submit event use the (ngSubmit)=""
event handler.
To use the values access the form form.value.XXX
where form is your form group
and XXX is the name of the form control
.
Final result:
1 | import {Component} from '@angular/core'; |
Validating forms
Import validators:
1 | import {ReactiveFormsModule, Validators} from '@angular/forms'; |
Now simply add the validator to the form control:
1 | profileForm = new FormGroup({ |
Now to check if validation is ok use the valid
property of the form group
.
1 | <button type="submit" [disabled]="!profileForm.valid">Submit</button> |
More validators:
https://angular.dev/api/forms/Validators
Useful:
- min/max
- pattern
- minLength/maxLength
- nullValidator
Use if statements or [ngStyle] or [ngClass]
1 | <input [ngStyle]="{'border-color': !profileForm.valid ? 'red' : 'green'}" type="text" formControlName="name" name="name" /> |
1 | @if (!profileForm.valid){ |
Dynamic forms
With dynamic forms we create programatically the form using FormGroups:
1 | toFormGroup(questions: QuestionBase<string>[]) { |
now we can add a template that checks the control type and puts the proper html element:
1 | @switch (question().controlType) { |
Finally we want to input the questions using binding:
1 | <app-question-app [questions]="questions$ | async" /> |
Serivces
Decorator @Injectable
:
1 | ({ |
Provided in root - Available in all application.
Inject through the inject
method:myService = inject(MyService);
Full:
1 | import {Component, inject} from '@angular/core'; |
Constructor Injection
It’s simple as adding it to the ctor:
1 | constructor(private carService: CarService) { |
private
- use onyl from ctorpubliuc
- if you want to access from template.
Pipes
Pipes are functions just with |
syntax.
They allow explicit easy transformations.
Ex:
{{ username | lowercase }}
.
1 | import {UpperCasePipe} from '@angular/common'; |
One useful use is to format output:
1 | import {Component} from '@angular/core'; |
number
[minIntegerDigits].[minFractionDigits]-[maxFractionDigits]
Create your own Pipe
@Pipe
and implement PipeTransform
.
1 | import {Pipe, PipeTransform} from '@angular/core'; |
Directives
Changes the behavior or structure of elements.
3 Types:
- Components - used inside templates
- Attribute - Changes apperance/behavior of element/component or another directive.
- Structural - changes dom.
Built in directives:
- NgClass
- NgStyle
- NgModel
Setting style for example using Record<string,string>
:
1 | currentStyles: Record<string, string> = {}; |
Standalone
If marked as standalone the directive doesn’t need to be part of an NgModule - this means it doesn’t need a special configuration or providers.
NgIf
Another example is the NgIf
directive:
https://angular.dev/api/common/NgIf
Ex:
1 | ({ |
Lesson 3 - Styling
Basic styling
Basic styling adds css rules in styles
of components:
1 | ({ |
- Component styles are private but some angular rules such as
::ng-deep
may promote it to global rule.
Style Urls
styleUrls
- provide the url for a css file.
1 | ({ |
Component stlye customizations
- Use CSS Custom properties - css variables
- Declare global CSS with @mixin
- Customize
::part
- Typescript API.
Lesson 4 - Optimizations
@defer
@defer
- load in lazyon viewport
- sets the trigger, available: idle, viewport, interaction, hover, immediate, timer.
more: https://angular.dev/guide/templates/defer
placeholder
- Content to show while it is not loading.loading
- Content to show hwile it is loading.
minimum []
- time to show content before loading starts, can be used to avoid flickering.after
- after load begins - time to wait before showing the loading template.
1 | ({ |
Optimize Image loading
NgOptimizedImage
component.
- Add
import {NgOptimizedImage} from '@angular/common';
- Comp import
imports: [NgOptimizedImage],
- Use ngSrc
<img ngSrc="/assets/logo.svg"/>
- Use
width
,height
orfill
if you dont want. - Optional add
priority
attribute to load it first. - Use providers for pre-load:
1
2
3
4providers: [
provideImgixLoader('https://my.base.url/'),
]
//.. Use ngSrc="image.png" without path
Lesson 5 - Debugging & Testing
Debugging
VSCode Launch JSON
We’ll need to configure the json file.
Use vite for easier usage, now you can debug it properly!
1 | { |
Angular State Inspector
We can use the angular state inspector to inspect state.
Lesson 6 - State management
Angular
uses services and it is possible to use the services as state management.
Using Observables
we can make sure content is updated regularely and state can be managed.
We can combine Services
with Signal
or BehaviorSubject
which both act as channel of communication.BehaviorSubject
is part of RxJS
while signals are an Angular
feature.
Services
Simple services can be used however it needs double updates, both for service and UI.
Service:
1 | import { Injectable } from '@angular/core'; |
Comp:
1 | import { Component } from '@angular/core'; |
Signals
1 | import { Injectable, signal } from '@angular/core'; |
1 | import { Component } from '@angular/core'; |
RxJS - BehaviorSubject
RxJS is a library that can help with reactive programming.
Using BehaviorSubject
we can implmeent an easy update mechanism:
1 | import { Injectable } from '@angular/core'; |
1 | import { Component } from '@angular/core'; |
Signals vs RxJS
Signals:
- Automatic
- Angular 16+
- No async
- Cleaner code
RxJS:
- Needs subscription
- Any version
- Supports Async
- Heavier code
Redux
Redux is a more complicated form of the Observable pattern.
It implements global state management.
Events
are Actions
,Dispatch
create Actions
.
A Store
saves state.
Store has Reducers
which are event handlers.
A reducer
is an event handler which has the old state, the current state and returns the updated state.
It is called based on the Array.reduce
function which takes an array as input and returns a single element.
Selector
help to facade data access by accessing a specific data set in the store.
NgRx
NgRx
is an implementation for the Redux patterns.
It works with Angular
and RxJS
.
I’ll use the walkthrought of NgRx
to explain it:
1 Model
We need a model in order to describe our information.
1 | export interface Book { |
2 Actions and Action Creators
We’ll define source
whic is categorization or a prefix for actions.
Actions are defined in the events property.
So why not just call it events? They are being fancy…
Event is a KV pair with name and some info.
Do we need the props<...>
? Yes
, it receives props
.
1 | import { createActionGroup, props } from '@ngrx/store'; |
3 Reducer
A reducer is the entity that responds to actions.
Using createReducer
we create a function that receives the books.
A reducer receives the previous state _state
, receives the new state,
here it is a desctructed props { books }
,
and returns the new state.
In this example we return a filtered array
on remove
and extended array
on add
.
1 | import { createReducer, on } from '@ngrx/store'; |
4 Selector
A selector is how we view the state, a facade to the state.
It will receive the updated version of the state.createFeatureSelector
creates the selector.
1 | import { createSelector, createFeatureSelector } from '@ngrx/store'; |
5 Dispatch
Now we need something to dispatch the actions.
We init a store in our component and see that we select using selectors to init the collections.private store: Store
creates a private class variable.
1 | import { selectBookCollection, selectBooks } from './state/books.selectors'; |
Dispatching is easy, we use the Books actions to create a new action of the sort we need.onAdd
and onRemove
can be called from the UI and that’s how the UI activates global state change.
1 | onAdd(bookId: string) { |
6 Register module - Old API
Using the module we’ll register the store.
This is true for Angular 18+
.
1 | import { booksReducer } from './state/books.reducer'; |
7 Register Provider - New API
This uses the config in order to register a store.
using:
1 | provideStore({ |
Full code:
1 | import { ApplicationConfig, provideZoneChangeDetection } from '@angular/core'; |
8 That’s it!
Now you have a full NgRx
action-reducer store working!
Lesson 7 - Advanced
View queries of children
https://angular.dev/guide/components/queries
View or content queries use locators in order to find children based on a query that performs on the element or the dom content.
In this query we get the ElementRef
that is a button with the id save
.viewChild
returns first found, viewChildren
returns a list.
1 | ({ |
@ViewChild
Uses a selector to search for the first child it can find.
The directive may be used on functions or variables.
https://angular.dev/api/core/ViewChild
Example of searching for child , use ngAfterViewInit
to access it.
1 | import {AfterViewInit, Component, Directive, ViewChild} from '@angular/core'; |
@ViewChildren
Like @ViewChildren
but with multiple results.
When ngAfterViewInit
is called the view query already has been executed.
@ContentChild
Configures a Content query to look for a child .
1 |
|
@ContentChildren
To-do
Intermediate Angular Topics
Component Communication
- @Input() and @Output()
- EventEmitter
- ViewChild, ContentChild, and ViewChildren
- Services and BehaviorSubject for communication
Reactive Forms & Validation
- FormBuilder and FormGroup
- Custom Validators and Async Validators
- Dynamic Forms
Routing & Navigation
- Lazy Loading Modules
- Route Guards (AuthGuard, CanActivate, CanDeactivate)
- Resolvers for Pre-fetching Data
- Query Parameters and Route Params
State Management Options
- RxJS with Services
- NgRx (Redux for Angular)
- Akita or NGXS
Dependency Injection & Providers
- Injectable Services
- Hierarchical Dependency Injection
- Factory Providers
Pipes & Directives
- Custom Pipes
- Custom Structural & Attribute Directives
Performance Optimization
- OnPush Change Detection
- TrackBy in *ngFor
- Lazy Loading and Code Splitting
Unit Testing & Debugging
- Karma & Jasmine for Component and Service Testing
- TestBed and Mocking Dependencies
- Debugging with Augury
Advanced Angular Topics
Advanced RxJS & Reactive Programming
- Subjects (BehaviorSubject, ReplaySubject, AsyncSubject)
- Operators (switchMap, mergeMap, exhaustMap)
- Handling Memory Leaks with takeUntil
Advanced State Management
- NgRx Effects and Selectors
- Optimizing NgRx Performance
- Modularizing State
Micro Frontends with Angular
- Module Federation (Webpack 5)
- Dynamic Component Loading
- Sharing State Between Micro Frontends
Web Components & Angular Elements
- Creating Web Components with Angular
- Using Angular Elements Outside Angular
Performance Profiling & Optimization
- Profiling with Chrome DevTools
- Web Workers in Angular
- Server-Side Rendering (SSR) with Angular Universal
Progressive Web Apps (PWA)
- Service Workers
- Background Sync
- Caching Strategies
Authentication & Security
- JWT Authentication
- OAuth & OpenID Connect
- CSRF & CORS Handling
GraphQL with Angular
- Apollo Angular for GraphQL Integration
- Query, Mutation, Subscription Handling
Custom Angular CLI Schematics
- Automating Project Scaffolding
- Custom Builders for CLI Extensions
Internationalization (i18n) & Localization (l10n)
- ngx-translate
- Angular’s Built-in i18n Support