Asp.Net MVC

Search results for: in category: ANGULAR

Angular is a popular open-source web application framework maintained by Google.

It is used for building dynamic, single-page applications (SPAs) with a rich user experience. Angular is built with TypeScript, a superset of JavaScript, and provides tools and libraries to develop scalable and maintainable front-end applications.

 It’s a complete rewrite of its popular predecessor, AngularJS.

Component-Based Architecture:

Two-Way Data Binding:

Dependency Injection:

Directives:

Routing:

Built-in Services:

Ahead-of-Time (AOT) Compilation:

Reactive Programming:

Cross-Platform Development:

High speed and performance

MVC architecture

Creating modern-looking UIs using the Angular Material library

Angular Material and the Component Dev Kit (CDK).

Can create a web app that consists of a set of components that can communicate with each otherin a loosely coupled manner.

Type Safety

Decorator Support

Object-Oriented Programming Features

Compatibility with ES6+ Features

Enhanced Tooling Support:

Generics

In Single Page Applications, entire browser’s page is not being refreshed and only a certain portion of the page (view) may be replacing another as the user navigates through your app.This approach provides a more seamless and faster user experience, similar to a desktop or mobile app.

Benefits of SPA

Dynamic updates

Client Side Rendering

Improved User Experience by reducing page loading time.

Some popular SPA are Angular,Vue.js,React etc.

React and Vue.js are libraries that don’t offer a full solution for developing and deploying a complete web application, whereas Angular does offer that full solution.If you pick React or Vue.js for your project, you’ll also need to select other products that support routing, dependency injection, forms, bundling and deploying the app, and more.

In the end, your app will consist of multiple libraries and tools picked by a senior developer or an architect. If this developer decides to leave the project, finding a replacement won’t be easy because the new hire may not be familiar with all the libraries and tools used in the project.

The Angular framework is a platform that includes all you need for developing and deploying a web app, batteries included. Replacing one Angular developer with another is easy, as long as the new person knows Angular.

Angular is an open source JavaScript framework maintained by Google.

A component is a fundamental building block of the framework.

A component is basically markup, meta-data, and a class (containing data and code) that combined together create a UI widget.

Components are the main tools we use to build an interactive UI with. All Angular applications have a root component, often called the application component .

 It controls a section of the user interface (UI) and is composed of three key elements:

Template (HTML): Defines the structure and layout of the component's UI.

Class (TypeScript): Contains the logic and data for the component, including properties and methods that the template can use.

Styles (CSS/SCSS): Provides the styling for the component, either inline or in external stylesheets.

To create a component, use the Angular CLI:

ng generate component --spec false -ve none tasks/task-list

ng generate component component-name --spec false -ve none

This command:

Creates a folder named component-name.

Generates the following files inside the folder:

component-name.component.ts (TypeScript class)

component-name.component.html (Template)

component-name.component.css (Styles)

component-name.component.spec.ts (Unit test file)

Updates the AppModule to declare the new component.

 --spec false option means we can skip create test specifications and -ve none parameter, we can tell Angular to create the component using ViewEncapsulation.None as a default encapsulation setting.

Every component must have:

A TypeScript class with behaviors such as handling user input and fetching data from a server (selector)

An HTML template that controls what renders into the DOM (templateUrl)

A CSS selector that defines how the component is used in HTML (styleUrls)

For example

@Component({

  selector: 'app-newcomponent',

  templateUrl: './newcomponent.component.html',

  styleUrls: ['./newcomponent.component.css']

})

export class NewcomponentComponent {

}

Dependency Injection (DI) is a core design pattern in Angular that helps manage the relationships between different parts of an application.

 It promotes modularity, testability, and flexibility by allowing components, services, and other classes to request the dependencies they need, rather than creating them directly.

In order to implement DI, we have to make it first Injectable.  For example create a service called MyService.

@Injectable({

  providedIn: 'root', // Makes the service available throughout the application

})

export class MyService {

  // Service logic here

}

A provider is registered in an injector, often in a module's providers array.

Using providedIn: 'root' registers the service with the root injector.

In order to use this MyService in a component, we have to inject it in the constructor of the component. Consider following component,

import { Component } from '@angular/core';

import { MyService } from './my-service';

 

@Component({

  selector: 'app-my-component',

  templateUrl: './my-component.component.html',

})

export class MyComponent {

  constructor(private myService: MyService) {

    // You can now use myService in this component

  }

}

In order to  use this service throghout the application,

you can specify this service as providers in the @NgModule decorator. When declared here, the services are available globally within the module.

In app.module.ts

import { MyService } from './my.service';

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule],

  providers: [MyService], // Registering MyService

  bootstrap: [AppComponent],

})

 

or  another method to use service globally, while you create it, you can specify as

@Injectable({

  providedIn: 'root', // Available globally

})

If you want the service to be available only within a specific module, you can set providedIn to the module name:

@Injectable({

  providedIn: 'module1','module2' // A new instance for each module where it's injected

})

Code Reusability: Services can be reused across components.

Modularity: Dependencies can be swapped easily without changing the components.

Testability: Allows you to inject mock dependencies during testing.

Scalability: Simplifies scaling an application by managing dependencies efficiently.

Providers like useClass, useFactory, and useValue are different ways to configure how a dependency is injected into a component or service.

useClass

This is used to provide a class that Angular will instantiate when the dependency is required.

useFactory

This is used to specify a factory function that returns the dependency. It is useful for creating services with specific configuration or for returning an instance based on logic.

useValue

This is used to provide a specific value, often for configuration or constants.

It is a way to create a custom token that can be used with Angular's dependency injection system.

It is typically used when you want to provide a value or service that isn't a class type, such as a configuration object, a string, or a non-Angular library.

To Implement an injection token,

import { InjectionToken } from '@angular/core';  // import token

export const API_URL = new InjectionToken<string>('API_URL'); // The string indicates the type of value associated with the token.

Use the token in the providers array of an Angular module:

import { NgModule } from '@angular/core';

 

@NgModule({

  providers: [

    { provide: API_URL, useValue: 'https://api.example.com' }

  ]

})

export class AppModule { }

Inject the token into a component, service, or directive using Angular's dependency injection:

import { Component, Inject } from '@angular/core';

import { API_URL } from './path-to-your-token';

 

@Component({

  selector: 'app-root',

  template: '<h1>Welcome</h1>'

})

export class AppComponent {

  constructor(@Inject(API_URL) private apiUrl: string) {

    console.log('API URL:', this.apiUrl);

  }

}

InjectionTokes prevent conflicts between tokens when multiple values or services of the same type exist.

It helps maintain type safety in your Angular applications.

 

A component's lifecycle is the sequence of steps that happen between the component's creation and its destruction.

constructor -. Runs when Angular instantiates the component.

ngOnInit      

This callback is invoked once Angular is done creating the component and has initialized it.

It’s called directly after the constructor and after the ngOnChange is triggered for the first time

ngOnChanges

This callback is invoked when the value of a bound property changes. It executes every time the value of an input property changes. It will receive a changes map, containing the current and previous values of the binding, wrapped in a SimpleChange.        .

ngDoCheck  

This callback is invoked every time the input properties of a component or a directive are checked. We can use this lifecycle hook to extend the check with our own custom check logic.

ngAfterContentInit :-        

This callback is invoked after ngOnInit : when the component or directive’s content has been initialized and the bindings have been checked for the first time.

ngAfterContentChecked

This callback is performed after every check of the component or directive’s content,effectively when all the bindings of the components have been checked; even if they haven’t changed. 

ngAfterViewInit

This callback is invoked after a component’s view and its children’s views are created and have been initialized. It’s useful for performing component initializations

ngAfterViewChecked

This callback is invoked after every check of the component’s view. It applies to components only, when all the bindings of the children directives have been checked, even if they haven’t changed.  

afterNextRender      Runs once the next time that all components have been rendered to the DOM.

afterRender   Runs every time all components have been rendered to the DOM.

ngOnDestroy

This callback is invoked when a component , directive, pipe, or service is destroyed

Modules provide a way to encapsulate your code and create privacy.

Components are grouped into Angular modules. A module is a class decorated with @NgModule(). The @NgModule() decorator lists all components and other artifacts (services, directives, and so on) that should be included in this module.

A module is a mechanism to organize an application into cohesive blocks of functionality. It helps Angular manage the app structure, dependency injection, and routing.

A module in Angular is defined by the @NgModule decorator, which is a metadata object that provides Angular with information about how to compile and launch the application

Sample Code of a module with one component

@NgModule({

declarations: [

AppComponent 1

],

imports: [

BrowserModule

],

bootstrap: [AppComponent] 2

})

export class AppModule { }

Declares that AppComponent belongs to this module.

Declares that AppComponent is a root component.

Here,  BrowserModule, is a must for apps that run in a browser.

Template elements allow you to define regions within your HTML, which will not be rendered by the browser. You can then instantiate these document fragments with JavaScript and then place the resulting DOM within your document.

Templates can be thought of as a representation of a component that is visualized according to the UI/UX needs of an application. A component will have a template associated with it. The template is responsible for displaying and updating data according to user events:

For example

<h1>Welcome, {{ user.name }}!</h1>

<p>Your age is {{ user.age }}</p>

Here, the user.name and user.age values wrapped in curly braces will be supplied by the associated component instance.

An Inline template refers to defining the HTML template directly within the component's TypeScript file, rather than using an external HTML file.

Sample code

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-inline-example',

  template: `

    <div>

      <h1>Welcome to Inline Template!</h1>

      <p>This is an example of an inline template in Angular.</p>

      <button (click)="sayHello()">Click Me</button>

    </div>

  `,

  styles: [`

    h1 {

      color: blue;

    }

    p {

      font-size: 14px;

    }

  `]

})

export class InlineExampleComponent {

  sayHello() {

    alert('Hello from the Inline Template!');

  }

}

It is a directive provided by the Angular Router module. It acts as a placeholder that marks where the routed components should be displayed in the view. When the user navigates to a specific route, Angular dynamically loads the associated component and inserts it into the <router-outlet> element.

To use <router-outlet>, you need to configure routes in the RouterModule of your Angular application. (app.routing.module.ts)

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './home/home.component';

import { AboutComponent } from './about/about.component';

const routes: Routes = [

  { path: '', component: HomeComponent }, // Default route

  { path: 'about', component: AboutComponent },

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule]

})

export class AppRoutingModule {}

Then Place the <router-outlet> directive in the HTML template of the parent component where you want to display the routed components.

<nav>

  <a routerLink="/">Home</a>

  <a routerLink="/about">About</a>

</nav>

 

<!-- Routed components will be displayed here -->

<router-outlet></router-outlet>

@NgModule is a decorator in Angular that is used to define a module. A module in Angular is a mechanism to group components, directives, pipes, and services that are related to a particular feature or functionality.

The Main aim of  NgModule is to  mainly solve the following issues:

Explicit template parsing

Simpler dependency resolution

Lazy loading with the Angular router:

If our application consists of 30 components, we need to add them all to the declarations of the NgModule. Every time you create a new component, you will also need to add it to the declarations array within your application module.

@NgModule is defined in app.module.ts file

The main properties of @NgModule are

declarations:

Specifies the components, directives, and pipes that belong to this module.

imports:

Specifies the external Angular modules or custom modules that are required for this module to function.

Common modules include BrowserModule, FormsModule, ReactiveFormsModule, etc

exports:

Makes declarations from this module available to other modules that import this module.

providers:

Specifies services that are available to all components in the module via Angular's Dependency Injection system.

bootstrap:

Lists the root component(s) that Angular should use to bootstrap the application.

Means, which of your components should be rendered first.

You should specify your main application component here, which is representing the root component of your application.

Root Module: Typically the AppModule, which bootstraps the application.

Feature Modules: Organize specific features or areas of the application for better modularity and maintainability.

The app.module.ts file is the root module configuration file in an Angular application. It is where you define the main module of the application, import other Angular modules, and configure services, components, and dependencies.

It contains a decorator called @NgModule that is used to define a module.

The contents of app.module.ts

@NgModule annotation :

. It’s a function that accepts an object and uses the object to provide metadata to Angular about the module: how to compile it and how to run it.

declarations:

This should be an array of the Angular components, directives, and pipes used by your module.

When you add a component using the CLI command ng generate component, it imports the component and adds it to this list of declarations.

imports:

This should be an array of Angular modules required by the application. These modules must be defined using @NgModule.

providers:

This should be an array of Angular provider objects required by the application. These provider objects are services classes and values that are injected into your classes for you using dependency injection.

bootstrap:

To run the application, your application needs to know how to start and with what component it should start (the root). This is where you specify the root component, which will be created and mounted into the HTML when the application starts. This root component is often called AppComponent.

Root Module

Your Angular application can contain multiple modules. But it always has a starting point, a module that it uses to bootstrap itself. This is the root module, often called the AppModule.

It defines the routes for navigating between different components in your app.

It contains :-

1.       Routes Array:

Defines an array of route objects, where each object maps a URL path to a specific component.

2.       @NgModule

It serves as the entry point for bootstrapping the application. It initializes the Angular environment and bootstraps the root module (AppModule).

It is a configuration file in Angular projects that defines settings for the Angular CLI, such as build and test options, file paths, and project-specific configurations. It defines that how the Angular CLI builds and serves your project.

The main sections of a angular json file are :-

projects :-

Contains configurations for one or more projects (applications or libraries) in the workspace.

architect :-

Defines tasks such as building, serving, testing, and linting the project.

build:

Contains settings related to the build process, such as entry points, output paths, and build configurations.

serve:

Configures the development server.

configurations:

Allows different settings for different environments (e.g., production, development).

It defines the dependencies, scripts, and metadata for your project. It is generated when you create a new Angular project using the Angular CLI.

Main sections are :-

name and version of the project

private:

Set to true to ensure the project isn't accidentally published as a public npm package.

scripts:

Defines shortcut commands for building, serving, and testing the application.

dependencies:

Lists runtime dependencies required by the Angular application

devDependencies:

lists tools and libraries required for development and build processes

The tsconfig.json file in an Angular project is used to configure TypeScript compilation options.

Main sections are :-

compilerOptions:

angularCompilerOptions:

These are specific options for Angular's AOT (Ahead-of-Time) compiler.

compileOnSave:

When set to true, recompiles the project automatically when files are saved.

Index.html file serves as the entry point to the app. It includes the necessary HTML structure and links to external resources such as stylesheets, scripts, and the Angular application bundle.

Node_modules is the directory where all the installed dependencies for the project are stored. These dependencies are managed using npm (Node Package Manager) or yarn.

When you create a new Angular project using the Angular CLI or add dependencies to the project using npm install, the required packages are placed in the node_modules folder.

The @Injectable decorator is used to mark a class as available for dependency injection. This means Angular can manage the instance of the class and inject it into other components, services, or directives where it’s needed.

Sample code

Create a service class file called MyService

import { Injectable } from '@angular/core';

@Injectable({

  providedIn: 'root', // makes the service available application-wide.

})

export class MyService {

  constructor() { }

  getData() {

    return 'some data';

  }

}

Now you can use this service in any component using dependency injection.

import { MyService } from './my-service.service';

 constructor(private myService: MyService) {

    this.data = this.myService.getData();

  }

The Angular CLI (Command Line Interface) is a powerful tool used for developing Angular applications.

It simplifies the process of creating, building, testing, and deploying Angular projects by providing a set of commands that handle common development tasks.

For using angular cli, first you have to intall Node.js. then install angular cli

npm install -g @angular/cli

Creating a new Angular application :-

ng new <project-name>

Serve the application :-

ng serve

To generate components, services, pipes, etc. :-

ng generate component <component-name>

To generate a service:

ng generate service <service-name>

To generate a pipe:

ng generate pipe <pipe-name>

To generate a directive:

ng generate directive <directive-name>

To  build the application :-

ng build

To run unit tests :-

ng test

To run end-to-end tests :-

ng e2e

To add a package or library :-

ng add <package-name>

To update Angular :-

ng update

To deploy the application

ng deploy --target=firebase

The environment.ts file is a configuration file used to define environment-specific variables for your app.

This file allows you to manage settings like API URLs, feature flags, or any other environment-dependent configurations.

Sample code

export const environment = {

  production: true,

  apiUrl: 'https://api.myapp.com',

};

In order to use this in any component/service file,

import { environment } from '../environments/environment';

@Injectable({

  providedIn: 'root',

})

export class ApiService {

constructor(private httpClient: HttpClient) {}

  private apiUrl = environment.apiUrl;

  getData() {

    return this.httpClient.get(`${this.apiUrl}/data`);

  }

  }

Using @Output() and EventEmitter.

In the Child Component:

Create an EventEmitter property with the @Output() decorator.

Emit the data you want to pass to the parent component.

In the Parent Component:

Bind to the child's @Output() property using event binding to receive the emitted data.

Sample Code

Child Component (child.component.ts):

import { Component, EventEmitter, Output } from '@angular/core';

@Component({

  selector: 'app-child',

  template: `<button (click)="sendDataToParent()">Send Data</button>`

})

export class ChildComponent {

  @Output() dataEmitter = new EventEmitter<string>();

  sendDataToParent() {

    this.dataEmitter.emit('Hello from Child!');

  }

}

Parent Component (parent.component.ts):

import { Component } from '@angular/core';

@Component({

  selector: 'app-parent',

  template: `

    <app-child (dataEmitter)="receiveData($event)"></app-child>

    <p>Data from Child: {{ childData }}</p>

  `

})

export class ParentComponent {

  childData: string;

  receiveData(data: string) {

    this.childData = data;

  }

}

Define an input property in the child component: In the child component, use the @Input() decorator to define a property that will receive the data from the parent.

Bind the data in the parent template: In the parent component's template, use property binding ([]) to pass the value to the child component.

Sample code

parent.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-parent',

  templateUrl: './parent.component.html',

})

export class ParentComponent {

  parentData = 'Hello from Parent!';

}

parent.component.html

<!-- Pass the parentData to the child component using property binding -->

<app-child [childData]="parentData"></app-child>

child.component.ts

import { Component, Input } from '@angular/core';

 

@Component({

  selector: 'app-child',

  templateUrl: './child.component.html',

})

export class ChildComponent {

  @Input() childData: string;  // This will receive data from parent

}

child.component.html

<!-- Display the data passed from the parent component -->

<p>{{ childData }}</p>

AJAX stands for Asynchronous JavaScript and XML . AJAX is a technique for creating better, faster, and more interactive web applications with the help of XML, HTML, CSS, and JavaScript.

When a client-side web application needs to communicate with the server, it uses AJAX to send something out and waits for the result to come back.

The client-side code doesn’t stop running while it’s waiting, because it still has to display the user interface and respond to the user. This is the asynchronous part of AJAX.

Client-side web applications use JavaScript to invoke the AJAX request and respond to it. This is the JavaScript part of AJAX.

AJAX requests used to use XML (Extensible Markup Language ) as the data format for the request and result data going back and forth between the client and the server.

Nowadays, AJAX tends to use JSON (JavaScript Object Notation ) as the data format instead of XML. That’s because JSON is much more compact and maps more directly onto the data structures used in modern programming languages. But both XML and JSON are commonly used formats for transferring data in text form.

When you make an AJAX call, you have to tell it what to do when the server response is received. This code that the AJAX system code should fire when the response is received is known as the callback .

There are two types of callbacks:

Success: The success (or done) callback is invoked if the server responds successfully and the client receives the answer without error.

Failure: The fail or error callback is optional and is invoked if the server responds back with an error.

When you invoke AJAX code , it returns what’s known as a promise or a deferred. A promise is an object that is a “promise of response” from an AJAX operation. When you receive a promise, you can register your success or failure callbacks with the promise, enabling the promise to invoke the callback once a success or failure occurs.

Promise :-

A Promise is a feature of JavaScript that represents a single value that will be resolved (fulfilled or rejected) at some point in the future.

Handles one-time events.

Once a Promise is resolved or rejected, the result is final, and you can't emit new values.

Eagerly starts executing as soon as it is created.

You cannot "pause" or defer a Promise's execution.

Cannot be canceled once initiated.

Errors are handled via .catch().

Subscription :-

It  come from the RxJS library, which is commonly used in Angular for reactive programming. They represent a stream of multiple values over time.

Can emit multiple values over time

Can continue to emit values until it is completed or unsubscribed.

Lazy by default; does not start emitting values until you subscribe to it.

Offers powerful operators (e.g., map, filter, merge, combineLatest) for composing and transforming data streams.

Suited for complex asynchronous workflows, like combining multiple streams.

Can be canceled by unsubscribing.

Angular's AsyncPipe and takeUntil can help manage subscriptions efficiently.

.then is often used when dealing with Promises, such as with asynchronous operations like HTTP requests using the HttpClient service or other Promise-based APIs. .then is a method of a JavaScript Promise that allows you to handle the resolved value or execute further logic once the Promise is fulfilled.

Node is a powerful, open-source, cross-platform JavaScript runtime you install on your computer. It’s a platform for development tools and servers (or anything else).

Feauture are

Asynchronous and Event-Driven:

Built on V8 JavaScript Engine:

Package Management: using npm

Cross-Platform:

It is used in Build RESTful APIs or full-fledged web servers.

It is used in real-time apps like chat applications, online games, or collaborative tools using WebSocket libraries like socket.io.

Node.js is ideal for creating scalable microservices architecture.

You can use Node.js for lightweight IoT solutions or control hardware with libraries like johnny-five.

npm (Node Package Manager) is the default package manager for Node.js. It is a powerful tool used for managing JavaScript packages and dependencies. npm allows developers to install, share, and manage code libraries and tools for Node.js projects.

It is a web application or website that interacts with the user by dynamically updating the content within a single web page, rather than loading entirely new pages from the server.

When the user performs an action in the client, it sends a request to the server, which does something and returns information about the result—not an entirely new HTML page.

The client-side code listens for an answer from the server and itself decides what to do as a response without generating a new pageThis allows for a smoother and faster user experience, as only the necessary content is loaded and updated without refreshing the entire page.

Benefits are :-

Client-Side Rendering

Asynchronous Data Loading

Routing:

Performance

State Management

A directive is a class annotated with the @Directive() decorator.

A directive can’t have its own UI, but can be attached to a component or a regular HTML element to change their visual representation.

Directives are special markers in the DOM that extend HTML functionality. They allow you to attach behavior to DOM elements or manipulate their appearance and structure.

There are two types of directives in Angular:

Structural— The directive changes the structure of the component’s template.

Attribute— The directive changes the behavior or visual representation of an individual component or HTML element.

Structural Directives

These directives change the structure of the DOM by adding or removing elements.

Examples

NgIf

NgFor

ngSwitch, ngSwitchCase, ngSwitchDefault: Used for conditional rendering of multiple elements.

<div *ngIf="isVisible">This will be displayed if isVisible is true</div>

Sample Code for ngFor

app.component.ts

import { Component } from '@angular/core';

import { Observable} from 'rxjs';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  tasks = [

    {id: 1, title: 'Task 1', done: false},

    {id: 2, title: 'Task 2', done: true},

    {id: 3, title: 'Task 3', done: false},

    {id: 4, title: 'Task 4', done: true}

    ];

    }

app.component.html

<div *ngFor="let task of tasks">

  <input type="checkbox" [checked]="task.done">

  <div>{{task.title}}</div>

  </div>

  Attribute Directives

These directives modify the behavior or appearance of an existing DOM element.

ngClass: Adds or removes CSS classes based on a condition.

ngStyle: Dynamically applies inline styles.

NgControlName

NgModel Creates two-way data binding with input elements.

Example

<div [ngClass]="{ 'active': isActive }">This div will have the 'active' class if isActive is true</div>

ng generate directive highlight

highlight.directive.ts

import { Directive, ElementRef, HostListener, Renderer2 } from '@angular/core';

@Directive({

  selector: '[appHighlight]'

})

export class HighlightDirective {

  constructor(private el: ElementRef, private renderer: Renderer2) {}

  @HostListener('mouseenter') onMouseEnter() {

    this.changeBackgroundColor('yellow');

  }

  @HostListener('mouseleave') onMouseLeave() {

    this.changeBackgroundColor('blue');

  }

  private changeBackgroundColor(color: string) {

    this.renderer.setStyle(this.el.nativeElement, 'backgroundColor', color);

  }

}

app.component.html

<p appHighlight>Hover over this text to see the highlight effect.</p>

 

A service is a class that implements some business logic. Angular injects services into your components or other services using the dependency injection (DI) mechanism.

Services are classes that are responsible for handling data and logic that are not directly related to the view (UI). They are typically used for sharing data, logic, and functionality across different components in an Angular application.

Main featues of services :-

Separation of Concerns

Singleton Pattern

Reusability:

Dependency Injection

For creating services,

ng generate service testservice

Sample service code:-

import { Injectable } from '@angular/core';

 

@Injectable({

  providedIn: 'root' // This makes the service available throughout the app

})

export class TestService {

  constructor() { }

  getData() {

    return 'Hello from MyService!';

  }

}

To user a service in a component, we have to inject the service into a Component.

Sample Code

import { Component, OnInit } from '@angular/core';

import { TestService } from './testservice.service';

 

@Component({

  selector: 'app-my-component',

  templateUrl: './my-component.component.html',

  styleUrls: ['./my-component.component.css']

})

export class MyComponent implements OnInit {

  data: string;

  constructor(private myService: TestService) { }

  ngOnInit(): void {

    this.data = this.myService.getData();

  }

}

Data binding in Angular is a mechanism for coordinating parts of a template with the component class in an Angular application. It allows you to display dynamic data in the UI and enables interaction with the data.

Generally, ther are 4 types.

1. Interpolation (String Interpolation)

<h1>{{ title }}</h1>

title is a component property

2. Property Binding

Property binding allows you to set the property of an HTML element or component to a value in your component class.

<img [src]="imageUrl" alt="Image">

the src property of the img tag is bound to the imageUrl property of the component.

3. Event Binding

Event binding enables you to bind an event (such as a click) to a method in your component.

<button (click)="onClick()">Click me</button>

Here, when the button is clicked, the onClick() method in the component is executed.

4. Two-Way Binding

Two-way binding combines property binding and event binding in a single syntax. It is usually used in form elements like inputs, where the component property is updated when the user interacts with the element.

<input [(ngModel)]="userName" placeholder="Enter your name">

Decorators are special types of functions that allow you to add metadata to classes, properties, methods, and parameters. They are used to provide Angular with information about how to process and instantiate various components, directives, services, etc.

Examples

@Component - Used to define a component.

@NgModule -  Used to define an Angular module.

@Injectable - Marks a class as available for dependency injection.

@Input - Used to pass data from a parent component to a child component.

@Output - Used to emit events from a child component to a parent component.

@HostListener - Used to listen for events on the host element or any DOM element.

@HostBinding - Allows you to bind properties of the host element in a directive or component.

@ViewChild -  Allows you to get a reference to a child component, directive, or DOM element within a parent component.

@ContentChild - Used to get a reference to a projected content element in a component.

What are pipes in Angular ? how many types ?

Pipes are used to transform data in templates, such as formatting dates, numbers, or strings, or applying custom transformations.

Built-in pipes :

DatePipe: Formats a date value according to locale rules.

UpperCasePipe: Transforms text to all upper case.

LowerCasePipe: Transforms text to all lower case.

CurrencyPipe: Transforms a number to a currency string, formatted according to locale rules.

DecimalPipe: Transforms a number into a string with a decimal point, formatted according to locale rules.

PercentPipe: Transforms a number to a percentage string, formatted according to locale rules.

AsyncPipe: Subscribe and unsubscribe to an asynchronous source such as an observable.

JsonPipe: Display a component object property to the screen as JSON for debugging.

Pipes are classified into pure and impure based on how they handle changes in data.

Pure Pipes :

A pure pipe processes data only when the input data changes immutably. It does not respond to changes within objects or arrays unless a new reference is assigned.All Angular pipes are pure by default.

They are efficient since they only run when Angular detects changes in their input value

Use for transformations where data changes immutably, such as strings, numbers, or replacing an entire array or object.

Impure Pipes

An impure pipe processes data even if there are changes within the data (e.g., changes to properties of objects or array contents) without changing their reference.

It runs on every change detection cycle, regardless of whether the input value's reference changes.

Impure pipes are created by setting pure: false in the pipe decorator.

Pipes are used to transform the input data before displaying it in the view. You can create your own pipes for transforming data in your templates.

Sample code

First create a pipe - filter.pipe.ts

import { Pipe, PipeTransform } from '@angular/core';

 

@Pipe({

  name: 'filter'

})

export class FilterPipe implements PipeTransform {

  transform(items: any[], searchTerm: any, searchBy: string) {

    // when our serach is undefined or null

    if (!searchTerm) {

      return items;

    }

    // when there is partial or full match of the search term

    return items.filter(item => {

      const currentItem = item[searchBy];

      return currentItem.toString().toLowerCase().includes(searchTerm.trim().toLowerCase());

    });

  }

}

app.component.ts

import { Component, HostListener } from '@angular/core';

 

export interface Person {

  name: string;

  age: number;

  country: string;

}

 

@Component({

  selector: 'app-root',

 

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  people: Person[] = [];

  searchTerm: string;

  names = ['Kerala', 'TamilNadu', 'Kartanaka', 'Maharashtra', 'Madhyapradesh', 'Goa'];

 

  constructor() {

    this.names.forEach((e, i) => this.people.push({

      name: e,

      age: i + 20,

      country: 'India'

    }));

  }

}

app.component.html

<div>

  <input [(ngModel)]="searchTerm" placeholder="Filter">

 

  <ul>

    <li *ngFor="let person of people | filter: searchTerm: 'name'">

      {{person.name}} | {{person.age}} | {{person.country}}

    </li>

  </ul>

</div>

(Add forms module to app.module.ts)

Steps:

Declare an @Input() property in the child component.

Bind the property in the parent template.

import { Component, Input } from '@angular/core';

child component

@Component({

  selector: 'app-child',

  template: `<p>Received from parent: {{ data }}</p>`,

})

export class ChildComponent {

  @Input() data!: string;

}

Parent component

<app-child [data]="'Hello from parent!'"></app-child>

Steps:

Declare an @Output() property in the child component.

Use an EventEmitter to emit events.

Bind the event in the parent template.

Child Component (child.component.ts):

import { Component, EventEmitter, Output } from '@angular/core';

 

@Component({

  selector: 'app-child',

  template: `<button (click)="sendData()">Send to Parent</button>`,

})

export class ChildComponent {

  @Output() dataEmitter = new EventEmitter<string>();

 

  sendData() {

    this.dataEmitter.emit('Hello Parent!');

  }

}

Parent Component (parent.component.html):

<app-child (dataEmitter)="handleData($event)"></app-child>

Parent Component (parent.component.ts):

handleData(data: string) {

  console.log('Received from child:', data);

}

Service (shared.service.ts):

import { Injectable } from '@angular/core';

import { BehaviorSubject } from 'rxjs';

 

@Injectable({

  providedIn: 'root',

})

export class SharedService {

  private messageSource = new BehaviorSubject<string>('Default Message');

  currentMessage = this.messageSource.asObservable();

 

  changeMessage(message: string) {

    this.messageSource.next(message);

  }

}

Comp 1 (comp1.component.ts):

 

import { Component } from '@angular/core';

import { SharedService } from './shared.service';

 

@Component({

  selector: 'app-comp1',

  template: `<button (click)="sendMessage()">Send to Comp2 2</button>`,

})

export class Comp1Component {

  constructor(private sharedService: SharedService) {}

  sendMessage() {

    this.sharedService.changeMessage('Hello from comp  1!');

  }

}

Comp 2 (comp2.component.ts):

import { Component, OnInit } from '@angular/core';

import { SharedService } from './shared.service';

 

@Component({

  selector: 'app-comp2',

  template: `<p>{{ message }}</p>`,

})

export class Comp2Component implements OnInit {

  message!: string;

  constructor(private sharedService: SharedService) {}

  ngOnInit() {

    this.sharedService.currentMessage.subscribe((message) => {

      this.message = message;

    });

  }

}

For the communication between 2 unrelated components, you can also use shared service.

It is a powerful feature used to reference elements, components, or directives within a template. They are defined using the # symbol  and provide access to the associated DOM element, directive instance, or component.

Example for Referencing a DOM Element

<input #myInput type="text" placeholder="Type something" />

<button (click)="logValue(myInput.value)">Log Value</button>

Example for Referencing a Component

<input #myInput type="text" placeholder="Type something" />

<button (click)="logValue(myInput.value)">Log Value</button>

You can use  template variables for :-

Native DOM elements.

Angular components.

Angular directives.

Outputs of structural directives (e.g., *ngFor, *ngIf).

Change detection in Angular is a mechanism that keeps the view (HTML) and the component (TypeScript) in sync. It ensures that any changes in the component's state are reflected in the view, and vice versa.

Angular uses Zone.js to detect when asynchronous tasks (like HTTP calls, setTimeout, or user events) are completed and trigger change detection.

The NgZone service allows Angular to know when to run change detection.

Angular provides two strategies for change detection:

Default:

Angular checks the entire component tree to detect changes.

OnPush:

Angular checks the component and its children only when an input property of the component changes or an event is triggered within the component.

HTTP interceptors in Angular are a powerful mechanism for inspecting and transforming HTTP requests and responses. They are commonly used for tasks like adding authentication headers, logging, handling errors, and modifying requests globally.

The common uses of Interceptors are :-

Adding authentication headers to outgoing requests to a particular API.

Retrying failed requests with exponential backoff.

Caching responses for a period of time, or until invalidated by mutations.

Customizing the parsing of responses.

Measuring server response times and log them.

Collecting and batch requests made within a certain timeframe.

Automatically failing requests after a configurable deadline or timeout.

Regularly polling the server and refreshing results.

Interceptors are Services: An HTTP interceptor is a service that implements the HttpInterceptor interface.

Chained Execution: Multiple interceptors can be configured, and they execute in the order they are provided.

Request/Response Manipulation: You can modify outgoing requests and incoming responses.

Example 1 - How to Add values to HttpHeaders using interceptor

To create a interceptor,

ng generate interceptor MyInterceptor

Implement the HttpInterceptor interface:

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>> {

    // Clone the request to modify it

    const modifiedReq = req.clone({

      headers: req.headers.set('Authorization', 'Bearer YOUR_TOKEN_HERE')

    });

    console.log('HTTP Request intercepted:', modifiedReq);

    // Pass the modified request to the next handler

    return next.handle(modifiedReq);

  }

}

Register the Interceptor in AppModule

import { NgModule } from '@angular/core';

import { HTTP_INTERCEPTORS } from '@angular/common/http';

import { MyInterceptor } from './path-to-interceptor/my.interceptor';

 

@NgModule({

  providers: [

    {

      provide: HTTP_INTERCEPTORS,

      useClass: MyInterceptor,

      multi: true, // Allows multiple interceptors

    },

  ],

})

export class AppModule {}

Example 2 -

How to handle errors in the intercept method using catchError from RxJS.

You can handle errors in the intercept method using catchError from RxJS:

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) => {

        console.error('HTTP Error:', error);

        return throwError(() => new Error('An error occurred: ' + error.message));

      })

    );

  }

}

Example 3 - How to set HttpHeaders & calculate processing time of a Http Response using HttpInterceptor

We have to create 2 interceptors -

headers.interceptor.ts

import { Injectable } from '@angular/core';

import {

  HttpRequest,

  HttpHandler,

  HttpEvent,

  HttpInterceptor

} from '@angular/common/http';

import { Observable } from 'rxjs';

 

@Injectable()

export class HeadersInterceptor implements HttpInterceptor {

 intercept(request: HttpRequest<unknown>, next: HttpHandler): Observable<HttpEvent<unknown>> {

    const API_KEY= 'test123';

     const req = request.clone({

        setHeaders :{

           API_KEY,

        }

     })

    return next.handle(req);

  }

}

http.interceptor.ts

import { Injectable } from '@angular/core';

import {

  HttpInterceptor,

  HttpRequest,

  HttpResponse,

  HttpErrorResponse,

  HttpHandler,

  HttpEvent,

} from '@angular/common/http';

 

import { Observable, throwError } from 'rxjs';

import { tap, catchError, finalize } from 'rxjs/operators';

 

@Injectable()

export class MyHttpInterceptor  implements HttpInterceptor {

  interval: any;

  intercept(request: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {

    const t0 = performance.now();

        console.log('processing request', request);

    this.interval = setInterval(() => {

      //console.log('how much time it took');

      const t1 = performance.now();

      const responseTime = (t1 - t0) / 1000;

      console.log(`Request took ${responseTime} ms since start`);

    }, 10);

    return next.handle(request).pipe(

      tap((ev: HttpEvent<any>) => {

        if (ev instanceof HttpResponse) {

          console.log('processing response', ev);

        }

      }),

      catchError((response) => {

        if (response instanceof HttpErrorResponse) {

          console.log('processing http error', response);

        }

        return throwError(() => new Error(`Invalid time`));

        //return Observable.throw(response);

      }),

      finalize(() => {

        const t1 = performance.now();

        const totalResponseTime = (t1 - t0) / 1000;

        console.log(`Request finished: took ${totalResponseTime} ms`);

        clearInterval(this.interval);

      }),

    );

  }

}

Create a service to call a http request.

users.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

 

@Injectable({

  providedIn: 'root'

})

export class UsersService {

  constructor(private http:HttpClient) { }

  getAllUsers(){

    return this.http.get('https://jsonplaceholder.typicode.com/users');

}

}

Update both interceptors and service in app.module.ts

app.module.ts

import { BrowserModule } from '@angular/platform-browser';

import { NgModule } from '@angular/core';

import { FormsModule, ReactiveFormsModule } from '@angular/forms';

import { HTTP_INTERCEPTORS } from '@angular/common/http';

import { AppComponent } from './app.component';

import { MyHttpInterceptor } from './http.interceptor';

import { HeadersInterceptor } from './headers.interceptor';

import {UsersService} from 'src/app/users.service';

import { HttpClientModule } from '@angular/common/http';

 

@NgModule({

  imports:      [ BrowserModule, FormsModule, HttpClientModule ],

  providers: [UsersService,

    {provide: HTTP_INTERCEPTORS, useClass:HeadersInterceptor, multi: true},

    {provide: HTTP_INTERCEPTORS, useClass:MyHttpInterceptor, multi: true},

  ],

  declarations: [ AppComponent ],

  bootstrap:    [ AppComponent ]

})

export class AppModule { }

Then call the service in component file.

app.component.ts

import { Component, OnInit } from '@angular/core';

import { FormBuilder, FormGroup, FormArray } from '@angular/forms';

import { UsersService } from 'src/app/users.service';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent  {

  users:any=[];

  constructor(private userService: UsersService) { }

  ngOnInit() {

    this.userService.getAllUsers().subscribe(d => {

       this.users = d;

    })

  }

}

Run the application & check header value and processing time from the browser.

Angular Material is a UI component library for Angular applications, designed to help developers create high-quality, consistent, and accessible user interfaces based on Google’s Material Design guidelines.

It provides a set of reusable, well-tested, and customizable UI components, enabling developers to focus on building applications without reinventing common UI elements.

The command for installing Angular Material is

ng add @angular/material

AutoComplete

The <mat-autocomplete>, an Angular Directive, is used as a special input control with an inbuilt dropdown to show all possible matches to a custom query.

Badge

Badges are small status descriptors for UI elements. A badge consists of a small circle, typically containing a number or other short set of characters, that appears in proximity to another object.

Bottom Sheet

The MatBottomSheet service can be used to open Material Design panels to the bottom of the screen.

Button

Button Toggle

<mat-button-toggle> are on/off toggles with the appearance of a button.

Card

The <mat-card>, an Angular Directive, is used to create a card with material design styling and animation capabilities

Check Box

<mat-checkbox> provides the same functionality as a native <input type="checkbox"> enhanced with Material Design styling and animations.

Chips

Chips allow users to view information, make selections, filter content, and enter data.

DatePicker

The datepicker allows users to enter a date either through text input, or by choosing a date from the calendar

Dialog

The MatDialog service can be used to open modal dialogs with Material Design styling and animations.

Divider

<mat-divider> is a component that allows for Material styling of a line separator with various orientation options

Expansion Panel

<mat-expansion-panel> provides an expandable details-summary view.

Form Field

<mat-form-field> is a component used to wrap several Angular Material components and apply common Text field styles

Grid List

mat-grid-list is a two-dimensional list view that arranges cells into grid-based layout

Icon

mat-icon makes it easier to use vector-based icons in your app.

Input

matInput is a directive that allows native <input> and <textarea> elements to work with <mat-form-field>

List

<mat-list> is a container component that wraps and formats a series of <mat-list-item>

Menu

<mat-menu> is a floating panel containing list of options.

Paginator

<mat-paginator> provides navigation for paged information, typically used with a table.

Progress bar

<mat-progress-bar> is a horizontal progress-bar for indicating progress and activity.

Progress Spinner

<mat-progress-spinner> and <mat-spinner> are a circular indicators of progress and activity.

Radio Button

<mat-radio-button> provides the same functionality as a native <input type="radio"> enhanced with Material Design styling and animations.

Select

<mat-select> is a form control for selecting a value from a set of options, similar to the native <select> element.

Sidenav

The sidenav components are designed to add side content to a fullscreen app.

Slider

<mat-slider> allows for the selection of a value from a range via mouse, touch, or keyboard, similar to <input type="range">.

SnackBar

MatSnackBar is a service for displaying snack-bar notifications.

Stepper

Angular Material's stepper provides a wizard-like workflow by dividing content into logical steps.

Table

The mat-table provides a Material Design styled data-table that can be used to display rows of data.

Tabs

Angular Material tabs organize content into separate views where only one view can be visible at a time.

TimePicker

A timepicker is composed of a text input and a dropdown menu, connected through the matTimepicker binding on the input.

Toolbar

<mat-toolbar> is a container for headers, titles, or actions.

Routing is a feature that enables navigation between different views or pages of an application. Angular's RouterModule provides a robust way to manage routes. It is defined in app-routing.module.ts

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './home/home.component';

import { AboutComponent } from './about/about.component';

 

const routes: Routes = [

  { path: '', redirectTo: '/home', pathMatch: 'full' }, // Default route

  { path: 'home', component: HomeComponent },

  { path: 'about', component: AboutComponent },

  { path: '**', redirectTo: '/home' }, // Wildcard route for a 404 page

];

 

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule],

})

export class AppRoutingModule {}

After creating Routes, you have to import it in app.module.ts

import { AppRoutingModule } from './app-routing.module';

imports: [

    BrowserModule,

    AppRoutingModule,

  ],

Add a <router-outlet> directive in the root app.component.html or wherever you want to display routed components:

<nav>

  <a routerLink="/home" routerLinkActive="active">Home</a>

  <a routerLink="/about" routerLinkActive="active">About</a>

</nav>

<router-outlet></router-outlet>

Use routerLink to navigate between routes in your application:

You can also navigate programmatically using Angular's Router service:

import { Router } from '@angular/router';

export class NavigationComponent {

  constructor(private router: Router) {}

 

  goToAbout() {

    this.router.navigate(['/about']);

  }

If you want to create a route that matches any path (wildcard route) for navigation purposes, you typically define a route with path: '**'. This is useful for handling 404 pages or redirecting users when no other routes match.

Sample code

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { NotFoundComponent } from './not-found/not-found.component'; // Import your 404 component

 

const routes: Routes = [

  // Define your regular routes

  { path: '', component: HomeComponent }, // Default route

  { path: 'about', component: AboutComponent }, // Example route

 

  // Wildcard route for a 404 page

  { path: '**', component: NotFoundComponent }, // Catch-all route

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule],

})

export class AppRoutingModule {}

Routes are evaluated in order, so place the wildcard route (path: '**') last. If placed earlier, it will catch all paths and prevent other routes from being matched.

The NotFoundComponent is displayed when no other routes match.

It is allowing developers to listen for and respond to changes in navigation. These events are fired during the navigation lifecycle and can be used to track, debug, or perform actions at different stages of routing.

Main Router Events :-

 NavigationStart

It is occuring when navigation starts. It is useful for showing a loading spinner and logging the start of navigation.

RouteConfigLoadStart

It is triggered before lazy-loaded route configuration begins loading.

It is used for tracking the loading of lazy-loaded modules.

RouteConfigLoadEnd

It is t triggered after lazy-loaded route configuration has been loaded.

It is used fork knowing when lazy-loaded routes are ready.

NavigationEnd

It is triggered when navigation ends successfully.

It is used for tracking page views.

NavigationCancel

It is triggered when navigation is canceled.

It is used for handling canceled navigations due to guards or user actions and logging and debugging.

 NavigationError

It is triggered  when navigation fails due to an error.

It is used for logging or displaying error messages and redirecting to an error page.

GuardsCheckStart

It is triggered before route guards are checked.

It is used for debugging guards and logging gurad checks.

GuardsCheckEnd

It is triggerd after route guards are checked and passed or failed.

It is used for determining whether navigation is allowed or blocked.

ResolveStart

It is triggered before route resolvers are activated.

It is used for logging when resolvers start fetching data.

ResolveEnd

It is triggered  after route resolvers complete their tasks.

ChildActivationStart

It is triggered before a child route is activated.

It is used for debugging child route activations.

ChildActivationEnd

It is triggered after a child route is activated.

It is used for logging child route activations.

ActivationStart

It is triggered before a route is activated.

It is used for debugging route activations.

ActivationEnd

It is triggered after a route is activated.

It is used for logging route activations.

For debugging purposes, you can log router events in the browser’s console by using the enableTracing option (it works only in the root module):

RouterModule.forRoot(

routes,

{enableTracing: true}

)

Sample Demo for Router Events

app.component.ts file

import { Router, Event, NavigationStart, NavigationEnd, NavigationError } from '@angular/router';

import { Component, OnInit } from '@angular/core';

@Component({

  selector: 'app-root',

  template: `<router-outlet></router-outlet>`,

})

export class AppComponent implements OnInit {

  constructor(private router: Router) {}

  ngOnInit() {

    this.router.events.subscribe((event: Event) => {

      if (event instanceof NavigationStart) {

        console.log('Navigation started:', event.url);

      } else if (event instanceof NavigationEnd) {

        console.log('Navigation ended:', event.url);

      } else if (event instanceof NavigationError) {

        console.error('Navigation error:', event.error);

      }

    });

  }

}

 

The Router State is a tree of activated routes (i.e., ActivatedRoute) that represent the state of the router at a given time. It provides access to the current route and its associated data, parameters, and child routes.

RouterStateSnapshot:

A snapshot of the router state at a specific point in time.

Sample code

import { ActivatedRoute } from '@angular/router';

constructor(private route: ActivatedRoute) {

  // Access route parameters

  this.route.params.subscribe(params => {

    console.log(params['id']);

  });

  // Access query parameters

  this.route.queryParams.subscribe(queryParams => {

    console.log(queryParams['search']);

  });

RouterState:

Represents the current state of the router as a tree of ActivatedRoute instances.

Sample Code

import { ActivatedRoute } from '@angular/router';

 

constructor(private route: ActivatedRoute) {

  // Access route parameters

  this.route.params.subscribe(params => {

    console.log(params['id']);

  });

 

  // Access query parameters

  this.route.queryParams.subscribe(queryParams => {

    console.log(queryParams['search']);

  });

 

  // Access resolved data

  this.route.data.subscribe(data => {

    console.log(data['someKey']);

  });

}

@ViewChild is a decorator used to access and interact with a child component, directive, or DOM element in the component's template.

By using @viewchild we can achieve the following things,

Accessing template of same component

Accessing the template of child component

Example for accessing template of same component.

App.Component.html

<div> 

   <input #txtname type="text"> 

   <button (click)="TestFunc(txtname.value)" >Click Me</button> 

</div>

App.Component.ts

import { 

    Component, 

    ViewChild, 

    ElementRef 

} from '@angular/core'; 

@Component({ 

    selector: 'app-root', 

    templateUrl: './app.component.html', 

    styleUrls: ['./app.component.css'] 

}) 

export class AppComponent { 

    title = 'Temprefapp'; 

    @ViewChild('txtname', { 

        static: true 

    }) mytxt: ElementRef 

    TestFunc(val) { 

        debugger; 

        console.log(this.mytxt.nativeElement.value); 

    } 

Example for accessing template of child component.

Create 2 components salary & employee

salary.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-salary',

  templateUrl: './salary.component.html',

  styleUrls: ['./salary.component.css']

})

export class SalaryComponent {

  empsalary:number=0;

  message:string='';

  constructor() { }

  ngOnInit(): void {

   

  }

 

salaryIncrement(){

 this.empsalary=this.empsalary+500;

 this.message="Employee Incremented Salary: ";

}

 

salaryDecrement(){

  this.empsalary=this.empsalary-500;

  this.message="Employee Decremented Salary: "

}

 

}

salary.component.html

<h4>{{message}} {{empsalary}}</h4>

 

employee.component.ts

import { Component, OnInit, ViewChild } from '@angular/core';

import { SalaryComponent } from '../salary/salary.component';

 

 

@Component({

  selector: 'app-employee',

  templateUrl: './employee.component.html',

  styleUrls: ['./employee.component.css']

})

export class EmployeeComponent {

  @ViewChild(SalaryComponent) salaryComponent:SalaryComponent;

  increment(){

    this.salaryComponent.salaryIncrement();

      }

    decrement(){

      this.salaryComponent.salaryDecrement();

    }

}

 

employee.component.html

<h4>Employee Parent Component</h4>

<button (click)="increment()">Increment Salary</button>

<p>&nbsp;</p>

<button (click)="decrement()">Decrement Salary</button>

 

<p>&nbsp;</p>

<app-salary></app-salary>

ViewChildren is a decorator that allows you to query and access multiple child components or elements from the template of a parent component.

It is often used when you need to interact with a collection of child components, directives, or DOM elements.

Sample code

hello.component.ts

import { Component,Input } from '@angular/core';

 

@Component({

  selector: 'app-hello',

  template: `<h1>Hello {{name}}!</h1>`,

  styles: [`h1 { font-family: Lato; }`]

})

export class HelloComponent {

  @Input() name: string;

}

app.component.ts

import { Component, ViewChildren, AfterViewInit, QueryList } from '@angular/core';

 

import { HelloComponent } from './hello/hello.component';

 

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements AfterViewInit {

  name = 'Angular';

  @ViewChildren(HelloComponent) hellos: QueryList<any>;

  ngAfterViewInit() {

     this.hellos.forEach(hello => console.log(hello));

  }

}

app.component.html

<app-hello name="Angular 6" ></app-hello>

<app-hello name="Angular 7" ></app-hello>

<app-hello name="Angular 8" ></app-hello>

ContentChild is a decorator used to access a single child element, component, or directive that is projected into the component using Angular's Content Projection. It allows the parent component to query and interact with content that is inserted into its view via <ng-content>.

The @ContentChildren decorator is used to query and interact with child components, directives, or elements that are projected into a component using <ng-content>. This is useful when creating reusable components that need to work with content provided by the parent.

Sample Code

app.component.ts

import { Component, ViewChildren, AfterViewInit, QueryList } from '@angular/core';

import { HelloComponent } from './hello/hello.component';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  title = 'ContentChildAndConetntChildrenDemo';

  student1 = [

    {'Id' : 1, 'Name': 'John Smith', 'Address': 'Texas', 'Age': 23}

  ]

  student2 = [

    {'Id' : 2, 'Name': 'Mel Gibson', 'Address': 'New york', 'Age': 38}

  ]

  student3 = [

    {'Id' : 3, 'Name': 'May rose', 'Address': 'London', 'Age': 22}

  ]

  }

app.component.html

<nav class="navbar navbar-light bg-light" style="padding: 30px;margin: 40px; justify-content:center">

  <span class="navbar-brand mb-0 h1">Angular Demo</span>

</nav>

<app-studentsdetail [students]="student1">

<h5 project #color>Student Id No: DEW</h5>

<h5 contact #color>Student Contact No: 78888</h5>

</app-studentsdetail>

<app-studentsdetail [students]="student2">

  <h5 project #color>Student Id No: HHG</h5>

  <h5 contact #color>Student Contact No: 45454</h5>

</app-studentsdetail>

<app-studentsdetail [students]="student3">

  <h5 project #color>Student Id No: PIU</h5>

  <h5 contact #color>Student Contact No: 454545</h5>

</app-studentsdetail>

studentsdetail.component.cs

import { AfterContentInit, Component, ContentChild, ContentChildren, ElementRef, Input, QueryList } from '@angular/core';

import { AppComponent } from '../app.component';

 

@Component({

  selector: 'app-studentsdetail',

  templateUrl: './studentsdetail.component.html',

  styleUrls: ['./studentsdetail.component.css']

})

export class StudentsdetailComponent {

  @Input() students! : any

  @ContentChildren("color") contentColor!  : QueryList<any>

  ngAfterContentInit(): void {

      console.log(this.contentColor);

     this.contentColor.first.nativeElement.setAttribute('style','color: blue')

     this.contentColor.last.nativeElement.setAttribute('style','color: red')

  }

}

studentsdetail.component.html

<div *ngFor="let student of students"  class ="alert alert-secondary" role="alert" style="padding: 30px;margin: 40px;">

    <h3>Student Detail</h3>

    <h5>Student ID: {{student.Id}}</h5>

    <h5>Student Name: {{student.Name}}</h5>

    <ng-content select="[contact]"></ng-content>

    <h5>Student Address: {{student.Address}}</h5>

    <h5>Student Age: {{student.Age}}</h5>

    <ng-content select="[project]"></ng-content>

</div>

The EventEmitter is a class used for creating and handling custom events within a component or directive. It is part of Angular's @angular/core package and is commonly used in conjunction with @Output to allow parent components to listen to child component events.

It enables a child component to emit an event that the parent component can listen to.

The most frequent use of EventEmitter is in parent-child component communication, where the child emits an event, and the parent listens and reacts to it.

Sample code

Child Component (child.component.ts):

import { Component, EventEmitter, Output } from '@angular/core';

 

@Component({

  selector: 'app-child',

  template: `

    <button (click)="sendMessage()">Send Message</button>

  `,

})

export class ChildComponent {

  @Output() messageEvent = new EventEmitter<string>();

  sendMessage() {

    this.messageEvent.emit('Hello from the child component!');

  }

}

Parent Component (parent.component.ts):

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-parent',

  template: `

    <app-child (messageEvent)="receiveMessage($event)"></app-child>

    <p>Message: {{ message }}</p>

  `,

})

export class ParentComponent {

  message: string = '';

  receiveMessage(event: string) {

    this.message = event;

  }

}

The routerLink directive is used for navigation between different routes in your application.

You can bind the routerLink value dynamically using Angular expressions.

You can specify routes as relative or absolute.

Sample Code

// app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  template: `

    <nav>

      <a routerLink="/home" routerLinkActive="active">Home</a>

      <a routerLink="/about" routerLinkActive="active">About</a>

      <a routerLink="/contact" routerLinkActive="active">Contact</a>

    </nav>

    <router-outlet></router-outlet>

  `,

  styles: [

    `

      .active {

        font-weight: bold;

        color: blue;

      }

    `,

  ],

})

export class AppComponent {}

<router-outlet> is a directive provided by the Angular Router module that serves as a placeholder or container for dynamically rendering routed components based on the current route configuration. It acts as a "view" where the Angular Router dynamically loads components based on the URL path.

Sample Code

Create 2 components

HomeComponent

<h1>Welcome to the Home Page!</h1>

AboutComponent

<h1>About Us</h1>

Add these two in app.component.html

app.component.html

<nav>

  <a routerLink="/">Home</a>

  <a routerLink="/about">About</a>

</nav>

<router-outlet></router-outlet>

Then add in Routing Configuration file (app-routing.module.ts)

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './home/home.component';

import { AboutComponent } from './about/about.component';

 

const routes: Routes = [

  { path: '', component: HomeComponent }, // Default route

  { path: 'about', component: AboutComponent },

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule],

})

export class AppRoutingModule {}

The LocationStrategy determines how the application manages its URLs and navigates between views. Angular provides two primary strategies for handling URLs:

1. PathLocationStrategy (default)

This strategy uses the HTML5 History API (pushState and popState) to manipulate the browser's URL without reloading the page. This results in clean URLs without a hash (#).

2. HashLocationStrategy

This strategy uses a hash (#) in the URL to separate the application route from the base URL. Everything after the # is managed by Angular, and the server does not see this part of the URL.

To implement it, you have to modify app-routing.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { RouterModule } from '@angular/router';

import { AppComponent } from './app.component';

import { HashLocationStrategy, LocationStrategy } from '@angular/common';

 

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule, RouterModule.forRoot(routes)],

  providers: [{ provide: LocationStrategy, useClass: HashLocationStrategy }],

  bootstrap: [AppComponent],

})

export class AppModule {}

When to use both :-

Use PathLocationStrategy if you want clean URLs and have control over the server configuration.

Use HashLocationStrategy if server configuration is not possible or for legacy browser support.

The routerLinkActive directive is used to add or remove CSS classes to an element based on whether the associated route is active.

Sample Code

<nav>

  <a[routerLink]="['/home']"outerLinkActive="active" [routerLinkActiveOptions]="{ exact: true }">Home</a>

  <a [routerLink]="['/about']" routerLinkActive="active">About</a>

  <a [routerLink]="['/contact']" routerLinkActive="active">Contact</a>

</nav>

The active class will be applied to the <a> element corresponding to the current active route.

The Home link uses the exact option, so it will only be active if the URL is /home and not a child route like /home/details.

css

.active {

  font-weight: bold;

  color: blue;

}

This allows you to provide visual feedback to users on which route they are currently viewing.

Route Guards let you control various stages of a route navigation. While navigating from one

component to another, we need to make sure that the data that will be displayed is authorized for

the user, and if not, cancel the navigation.

A Router Guard can return an Observable<boolean> or a Promise<boolean>, and the router will wait for

Observable to resolve to either true or false:

If the Route Guard returns true, it will proceed with the navigation and display the view

If the Route Guard returns false, it will abort/cancel the navigation

Angular provides five types of route guards:

1. CanActivate

Determines if a user can navigate to a route.

Useful for restricting access to a route based on conditions (e.g., authentication or roles).

Implemented by creating a service that implements the CanActivate interface.

Example

import { Injectable } from '@angular/core';

import { CanActivate, Router } from '@angular/router';

 

@Injectable({

  providedIn: 'root'

})

export class AuthGuard implements CanActivate {

  constructor(private router: Router) {}

 

  canActivate(): boolean {

    const isLoggedIn = Boolean(localStorage.getItem('token'));

    if (!isLoggedIn) {

      this.router.navigate(['/login']);

      return false;

    }

    return true;

  }

}

2. CanActivateChild

Determines if a user can access child routes of a route.

Often used in combination with CanActivate.

Example

import { Injectable } from '@angular/core';

import { CanActivateChild } from '@angular/router';

 

@Injectable({

  providedIn: 'root'

})

export class AdminGuard implements CanActivateChild {

  canActivateChild(): boolean {

    const isAdmin = Boolean(localStorage.getItem('isAdmin'));

    return isAdmin;

  }

}

3. CanDeactivate

Determines if a user can leave a route.

Useful for scenarios where you want to prevent users from losing unsaved changes.

Example

import { Injectable } from '@angular/core';

import { CanDeactivate } from '@angular/router';

import { Observable } from 'rxjs';

 

export interface CanComponentDeactivate {

  canDeactivate: () => Observable<boolean> | Promise<boolean> | boolean;

}

@Injectable({

  providedIn: 'root'

})

export class ConfirmGuard implements CanDeactivate<CanComponentDeactivate> {

  canDeactivate(component: CanComponentDeactivate): boolean {

    return component.canDeactivate ? component.canDeactivate() : true;

  }

}

4. Resolve

Pre-fetches data before a route is activated.

Ensures that required data is available when a component loads.

Example

import { Injectable } from '@angular/core';

import { Resolve } from '@angular/router';

import { Observable } from 'rxjs';

import { UserService } from './user.service';

 

@Injectable({

  providedIn: 'root'

})

export class UserResolver implements Resolve<any> {

  constructor(private userService: UserService) {}

  resolve(): Observable<any> {

    return this.userService.getUserData();

  }

}

5. CanLoad

Determines if a module can be loaded.

Useful for lazy-loaded modules.

Example

import { Injectable } from '@angular/core';

import { CanLoad, Route, UrlSegment, Router } from '@angular/router';

 

@Injectable({

  providedIn: 'root'

})

export class AdminModuleGuard implements CanLoad {

  constructor(private router: Router) {}

  canLoad(route: Route, segments: UrlSegment[]): boolean {

    const isAdmin = Boolean(localStorage.getItem('isAdmin'));

    if (!isAdmin) {

      this.router.navigate(['/not-authorized']);

      return false;

    }

    return true;

  }

}

Guards have to be  registered in the route configuration file.

import { Routes } from '@angular/router';

import { AuthGuard } from './auth.guard';

import { AdminGuard } from './admin.guard';

import { UserResolver } from './user.resolver';

 

const routes: Routes = [

  {

    path: 'dashboard',

    component: DashboardComponent,

    canActivate: [AuthGuard],

    resolve: { userData: UserResolver },

    children: [

      {

        path: 'admin',

        component: AdminComponent,

        canActivateChild: [AdminGuard]

      }

    ]

  },

  {

    path: 'settings',

    loadChildren: () => import('./settings/settings.module').then(m => m.SettingsModule),

    canLoad: [AuthGuard]

  }

];

A "multiple router outlets" setup allows you to display different components in different areas of the application based on the routing configuration. Each router outlet can render different views based on navigation paths.

app.componet.html

<router-outlet></router-outlet> <!-- Default outlet -->

<router-outlet name="sidebar"></router-outlet> <!-- Named outlet for sidebar -->

<router-outlet name="footer"></router-outlet> <!-- Named outlet for footer -->

In your app-routing.module.ts, you define routes that specify which component should be rendered in which outlet. You can configure routes to use a named outlet by setting the outlet property.

// app-routing.module.ts

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './home/home.component';

import { SidebarComponent } from './sidebar/sidebar.component';

import { FooterComponent } from './footer/footer.component';

 

const routes: Routes = [

  { path: '', component: HomeComponent },  // Default outlet

  { path: 'sidebar', component: SidebarComponent, outlet: 'sidebar' }, // Named outlet

  { path: 'footer', component: FooterComponent, outlet: 'footer' }, // Named outlet

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule],

})

export class AppRoutingModule {}

To navigate to a specific named outlet, you use the routerLink directive with the outlets property.

app.component.html

<!-- Link to display sidebar -->

<a [routerLink]="[{ outlets: { sidebar: ['sidebar'] } }]">Show Sidebar</a>

<!-- Link to display footer -->

<a [routerLink]="[{ outlets: { footer: ['footer'] } }]">Show Footer</a>

You can also navigate programmatically using Router:

import { Router } from '@angular/router';

// In your component

constructor(private router: Router) {}

navigateToSidebar() {

  this.router.navigate([{ outlets: { sidebar: ['sidebar'] } }]);

}

navigateToFooter() {

  this.router.navigate([{ outlets: { footer: ['footer'] } }]);

}

Lazy loading in Angular is a design pattern that helps improve the performance of applications by loading parts of the app only when they are needed. This reduces the initial load time and only loads the necessary resources for a particular route.

Sample code

Create a feature module

ng generate module feature --route feature --module app

In app-routing.module.ts file,configure lazy loading.

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

 

const routes: Routes = [

  {

    path: 'feature',

    loadChildren: () => import('./feature/feature.module').then(m => m.FeatureModule)

  },

  { path: '', redirectTo: '/home', pathMatch: 'full' },

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule]

})

export class AppRoutingModule { }

By using loadChildren, Angular will only load the FeatureModule when the user navigates to the /feature route. This is where the lazy loading happens.

Configure lazy loading in feature-routing.module.ts also

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { FeatureComponent } from './feature.component';

const routes: Routes = [

  { path: '', component: FeatureComponent }

];

@NgModule({

  imports: [RouterModule.forChild(routes)],

  exports: [RouterModule]

})

export class FeatureRoutingModule { }

 

Preloading in Angular means loading the Lazy loaded Modules in the background asynchronously, while user is interacting with the app. This will help boost up the loading time of the app.

By Lazy loading the modules, we can reduce the initial download size of the app, and thus making app load quickly.

In order to enable pre-loading, mark the module with loadchildern in app-routing.module.ts and apply preloading.

const routes: Routes = [

  {path: "admin", loadChildren:'./admin/admin.module#AdminModule'},

];

 RouterModule.forRoot(routes, {preloadingStrategy: PreloadAllModules})

There are 2 types of strategies for this. PreloadAllModules & NoPreloading.

In NoPreLoading, it will disable all the preloading and it is the default.

RouterModule.forRoot(routes,

   {

      preloadingStrategy: NoPreloading

   }

 In PreloadAllModules strategy,

It  will preload all the lazy loaded modules.

RouterModule.forRoot(routes,

   {

      preloadingStrategy: PreloadAllModules

   })

 

SessionStorage is a built-in web storage mechanism provided by the browser that allows you to store data temporarily for the duration of the page session.

This data is cleared when the page session ends, such as when the browser tab is closed.

In order to set a value in SessionStorage,

sessionStorage.setItem('key', 'value');

In order to get a value in SessionStorage,

const value = sessionStorage.getItem('key');

In order to remove an item from SessionStorage,

sessionStorage.removeItem('key');

To clear all items from SessionStorage,

sessionStorage.clear();

In order to store complex objecs,

you need to serialize and deserialize complex objects using JSON.stringify and JSON.parse.

// Set an object

const user = { name: 'Smith', age: 50 };

sessionStorage.setItem('user', JSON.stringify(user));

// Get an object

const userData = sessionStorage.getItem('user');

const parsedUser = userData ? JSON.parse(userData) : null;

Reactive Forms provide a way to manage complex forms with greater control and flexibility. Reactive forms are defined in code, allowing you to build dynamic and highly customizable forms.

Main components of the reactive form

FormGroup: Represents the entire form. It groups form controls.

FormControl: Represents a single input element.

FormArray: Manages an array of form controls, allowing dynamic additions or deletions.

Validators: Used to enforce rules like required fields, minimum length, etc.

Template-driven forms in Angular provide a way to create forms using HTML templates and directives. They are easier to implement than reactive forms and are ideal for simple use cases where you don’t need advanced form validation or control.

The FormBuilder is part of the Reactive Forms Module and is used to simplify the creation of form controls, groups, and arrays. It provides a more concise way to build forms compared to manually instantiating FormGroup and FormControl.

RxJS (Reactive Extensions for JavaScript) is a powerful library used in Angular for handling reactive programming and working with asynchronous data streams.

RxJS libraries compose asynchronous and event-based Reactive programs using observable collections in JavaScript.

Its main uses :-

In HTTP Requests, RxJS Observables are used by Angular's HttpClient module to handle HTTP requests.

RxJS can handle user input events in a reactive way, such as form inputs or button clicks.

RxJS helps manage complex asynchronous workflows, combining data streams and handling concurrency.

Perfect for WebSocket communication, where data is pushed from the server.

Built-in operators like catchError allow elegant error handling in asynchronous operations.

Components of RxJs

Observable:

Represents a stream of data that can emit multiple values over time.

Used to handle asynchronous operations like HTTP requests, user inputs, or events.

RxJS Observables are used by Angular's HttpClient module to handle HTTP requests.

Observables are flexible and can be used with push or pull patterns:

Push: When using the push pattern, we subscribe to the source stream and react to new data as soon as it’s made available (emitted). You can listen to a stream and react accordingly.

Pull: When using the pull pattern, we’re using the same operations but synchronously.This happens when using arrays, generators, or iterables.

Because observables are data streams, you can query them using operators

implemented by the observable type

Observer:

Observers are classes that can respond to events, or things happening.

To respond, they must implement the following methods:

onNext: An observable calls this method when the observable emits an item. onNext takes the item emitted by the observable as a parameter.

onError : An observable calls this method when it fails to create the expected data or hits some other error, stopping the observable. The observable won’t make any more calls to onNext or onCompleted. The onError method takes an indication of what caused the error as its parameter.

onCompleted: An observable calls this method after it calls onNext for the last time, if there haven’t been any errors.

Subscription:

Represents the execution of an Observable. You subscribe to an Observable to start receiving its emitted values.A subscription is like a connection between an Observable and an Observer.

Operators:

Operators perform a variety of tasks. Their purpose is to make it more convenient to observe an observable. Operators do the following:

Create observables

Combine observables

Filter observables

Handle errors

Perform utilities

Most operators operate on an observable and return an observable. This allows you to apply operators one after the other, in a chain. Each operator in the chain modifies the observable that results from the operation of the previous operator.

1. HTTP Requests

Angular's HttpClient service returns Observables for making HTTP requests.

Sample Code

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

constructor(private http: HttpClient) {}

getData(): Observable<any> {

  return this.http.get('https://api.example.com/data');

}

// Subscribing to the Observable

this.getData().subscribe(data => {

  console.log(data);

});

2. Event Handling

You can convert DOM events into Observables using Angular's fromEvent or reactive forms.

Sample code

import { fromEvent } from 'rxjs';

 

const button = document.getElementById('myButton');

const click$ = fromEvent(button, 'click');

click$.subscribe(event => {

  console.log('Button clicked', event);

});

3. Reactive Forms

Form controls in Angular use Observables to track value changes

Sample Code

import { FormControl } from '@angular/forms';

 

const nameControl = new FormControl('');

nameControl.valueChanges.subscribe(value => {

  console.log('Value changed:', value);

});

4. Routing Events

Angular's Router provides Observables for tracking route changes.

Sample Code

import { Router } from '@angular/router';

 

constructor(private router: Router) {}

ngOnInit() {

  this.router.events.subscribe(event => {

    console.log(event);

  });

}

ElementRef is a wrapper around a native DOM element, providing a way to directly interact with and manipulate the DOM.

 The ElementRef class provides a property called nativeElement, which gives access to the underlying DOM element.

You can inject ElementRef into a component, directive, or service to gain access to the DOM element that the host element of the directive/component corresponds to.

ElementRef is used to manipulating DOM elements directly and Reading properties of DOM elements.

Sample Code

app.component.ts

import { Component, AfterViewInit, ElementRef, ViewChild,OnInit } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent   {

   title = 'Temprefapp'; 

  @ViewChild('txtname', { 

      static: true 

  }) mytxt: ElementRef 

  TestFunc(val) { 

      debugger; 

      console.log(this.mytxt.nativeElement.value); 

  } 

}

app.component.html

<div> 

    <input #txtname type="text"> 

    <button (click)="TestFunc(txtname.value)" >Click Me</button> 

 </div>

This is used with when working with Observables.These operators enable you to manipulate, filter, and transform streams of data in a declarative way.

Common RxJS Operators in Angular are :-

of: Creates an Observable from a static value or set of values.

from: Converts an array, Promise, or iterable into an Observable.

interval: Creates an Observable that emits sequential numbers at specified intervals.

timer: Emits after a delay and optionally emits periodically.

map: Applies a function to each emitted value.

mergeMap / flatMap: Projects each source value to an Observable and flattens them.

switchMap: Switches to a new inner Observable and cancels the previous one.

filter: Filters emitted values based on a condition.

take: Takes the first N values and completes.

takeUntil: Takes values until another Observable emits.

distinctUntilChanged: Emits only if the current value is different from the last.

merge: Combines multiple Observables, emitting values as they occur.

combineLatest: Combines latest values from multiple Observables.

forkJoin: Waits for all Observables to complete and emits the last value.

zip: Combines Observables, emitting arrays of corresponding values.

tap: Performs a side effect without modifying the stream.

delay: Delays the emissions of values.

retry: Retries the stream if an error occurs.

catchError: Catches and handles errors.

throwError: Creates an Observable that emits an error.

HTTP headers are used to pass metadata along with HTTP requests and responses. These headers can include authentication tokens, content type specifications, caching instructions, and more.

You typically use the HttpClient service to make HTTP requests and the HttpHeaders class to set headers.

Sample Code

import { HttpClient, HttpHeaders } from '@angular/common/http';

import { Injectable } from '@angular/core';

 

@Injectable({

  providedIn: 'root',

})

export class ApiService {

  private apiUrl = 'https://example.com/api';

  constructor(private http: HttpClient) {}

  getData() {

    const headers = new HttpHeaders({

      'Content-Type': 'application/json',

      Authorization: 'Bearer YOUR_TOKEN_HERE',

    });

    return this.http.get(`${this.apiUrl}/data`, { headers });

  }

}

To access response headers, use the observe option with the value response.

this.http

  .get(`${this.apiUrl}/data`, { observe: 'response' })

  .subscribe((response) => {

    console.log(response.headers.get('Content-Type'));

  });

If you need to add or modify headers for all requests, use an HTTP_INTERCEPTORS provider to define a global interceptor.

import { Injectable } from '@angular/core';

import { HttpInterceptor, HttpRequest, HttpHandler } from '@angular/common/http';

 

@Injectable()

export class AuthInterceptor implements HttpInterceptor {

  intercept(req: HttpRequest<any>, next: HttpHandler) {

    const authReq = req.clone({

      setHeaders: {

        Authorization: 'Bearer YOUR_TOKEN_HERE',

      },

    });

    return next.handle(authReq);

  }

}

You have to Register the interceptor in your module:

app.module.ts

import { HTTP_INTERCEPTORS } from '@angular/common/http';

 

@NgModule({

  providers: [

    { provide: HTTP_INTERCEPTORS, useClass: AuthInterceptor, multi: true },

  ],

})

export class AppModule {}

A BehaviorSubject is a type of Subject provided by the RxJS library. It is used to manage and broadcast state or values that can be subscribed to by multiple components or services.

You can use a behaviour subject whenever you want to create your own source of an observable stream. You can control what should be emitted and when.

A behaviour subject is both an observer as well as an observable. Therefore, it would be possible to directly call the subscribe method on the subject

It always holds the latest emitted value, and subscribers immediately receive this value upon subscription.

You must provide an initial value when creating a BehaviorSubject.

It is used to share state across components or services.

It  enable communication between unrelated components.

It track and react to form control states.

It ensure subscribers always have a value to work with.

Every Angular-powered form has an underlying model object that stores the form’s data. There are two approaches to working with forms in Angular: template-driven and reactive. These two approaches are exposed as two different APIs.

The main directives from FormsModule: NgModel,NgModelGroup, and NgForm,ngSubmit.

NgForm is the directive that represents the entire form. It’s automatically attached to every <form> element. NgForm implicitly creates an instance of the FormGroup class that represents the model and stores the form’s data.

In the context of the Forms API, NgModel represents a single field on the form. If an HTML element includes ngModel, Angular implicitly creates an instance of the FormControl class that represents the model and stores the fields’ data.

NgModelGroup represents a part of the form and allows you to group form fields together.

Like NgForm, it implicitly creates an instance of the FormGroup class. NgModelGroup creates a nested object inside the object stored in NgForm.value. All the child fields of NgModelGroup become properties of the nested object.

To enable reactive forms, add ReactiveFormsModule from @angular/forms to

the imports list of NgModule.

For template-driven forms, import FormsModule to the imports list of NgModule.

Directives for the reactive forms :-

FormGroup  - A class that represents the entire form or a subform; create its

instance in the TypeScript code of the component. Its API

formGroup Used in templates to bind the template element (for example,

<form>) to the explicitly created FormGroup; typically it’s assigned

to a variable declared in the component.

formGroupName Used in templates to bind a group of the template elements (for

example, <div>) to the explicitly created FormGroup.

FormControl Represents the value, validators, and validity status of an individual form control; create its instance in the TypeScript code of the component.

formControlName Used in templates in form elements to link an individual

FormControl instance to an HTML element.

FormArray Allows you to create a group of form controls dynamically and use the array indexes as control names.

Directives for the template driven forms :-

NgForm: - Implicitly created directive that represents the entire form; it creates an instance of FormGroup.

ngForm Used in templates to bind the template element (for example,

<form>) to NgForm; typically, it’s assigned to a local template variable.

NgModel Implicitly created directive that marks the HTML element to be

included in the form model.

ngModel Used in templates in form elements (for example, <input>) to be

included in the form model.

NgModelGroup Implicitly created directive that represents a part of the form, such as password and confirm password fields.

ngModelGroup Used in templates to name a part of the form for future reference.

Both template-driven and reactive forms

ngSubmit Intercepts the HTML form’s submit event

min :  A value can’t be less than the specified number; it can be used only with reactive forms.

max:  A value can’t be greater than the specified number; it can be used only with reactive forms.

required:  The form control must have a non-empty value.

requiredTrue:  The form control must have the value true.

email:  The form control value must be a valid email.

minLength:  The form control must have a value of a minimum length.

maxLength : The form control can’t have more than the specified number of characters.

pattern:  The form control’s value must match the specified regular expression.

The updateOn property allows you to control when the form control's value and validity are updated. It can be set to:

change (default): Updates on every value change.

blur: Updates when the control loses focus.

submit: Updates when the form is submitted.

Sample code for blur option in Reactive Forms :

app.component.ts

import { Component } from '@angular/core';

import { FormBuilder, FormGroup, Validators } from '@angular/forms';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  formGroup: FormGroup;

 

  constructor(private fb: FormBuilder) {

    this.formGroup = this.fb.group({

      email: [

        '',

        {

          validators: [Validators.required, Validators.email],

          updateOn: 'blur', // Validation will only run when the field loses focus

        },

      ],

    });

  }

  get emailControl() {

    return this.formGroup.get('email');

  }

  onSubmit() {

    if (this.formGroup.valid) {

      console.log('Form submitted successfully:', this.formGroup.value);

    } else {

      console.log('Form is invalid');

    }

  }

}

app.component.html

<form [formGroup]="formGroup" (ngSubmit)="onSubmit()">

  <label for="email">Email:</label>

  <input id="email" formControlName="email" />

  <div *ngIf="emailControl?.invalid && emailControl?.touched">

    <small *ngIf="emailControl?.errors">Email is required.</small>

    <small *ngIf="emailControl?.errors">Invalid email format.</small>

  </div>

  <button type="submit">Submit</button>

</form>

1.       Touched.

This indicates whether the user has focused on the form control (input, checkbox, etc.) and then left it (blurred). If the user has interacted with the field, it is considered "touched".

touched is true when the field has been visited (focused and then blurred).

touched is false when the user has not interacted with the field.

2.       Untouched:

It means that the user has not interacted with the form control.

untouched is true when the user has never focused on the field.

untouched is false if the field has been focused and blurred.

3.       Pristine

This indicates whether the value of the form control has been modified. If a user changes the value of the control, it becomes "dirty". Otherwise, it's "pristine".

pristine is true when the user has not changed the value from its initial state.

pristine is false when the value has been modified.

Sample code

app.component.ts

import { Component, VERSION } from '@angular/core';

import {FormGroup,FormControl,Validators} from '@angular/forms'

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  name = 'Angular ' + VERSION.major;

  form=new FormGroup({

    control:new FormControl(null,Validators.required)

  })

  submit(form)

  {

    if (form.valid)

    {

      form.markAsPristine();

      console.log("submited")

    }

    else

      form.markAllAsTouched();

  }

}

app.component.html

<form [formGroup]="form">

  <input formControlName="control">

  <button (click)="submit(form)" [disabled]="!form.valid ||form.pristine">submit</button>

</form>

<pre>

Valid: {{form.valid}}

Untouched {{form.untouched}}

Pristine: {{form.pristine}}

Dirty: {{form.dirty}}

Touched : {{form.touched}}

</pre>

pristine means the user never interacted with the form control. dirty indicates that the initial value of the form control was modified, regardless of where the focus is. These properties can be used to display or hide.

With the template-driven API, you can use only directives in a component’s templates.

In template driven forms,directives like ngModel are used for two-way binding. Also Automatically syncs between the template and the component, which makes it less verbose but harder to debug in complex scenarios.

Validation relies on Angular’s built-in directives for validation (e.g., required, minlength).Custom validators are more challenging to implement.

Testing is more challenging because the logic is intertwined with the template.

Highly scalable and more suitable for large, dynamic forms.

Adding or removing controls dynamically is not straightforward.

In Reactive forms,It is Built programmatically in the component class.

Uses FormGroup, FormControl, and FormBuilder to define the form structure.

It uses an explicit data flow model, meaning form controls are updated explicitly via the FormControl or FormGroup objects.

It offers better control over form data and validation.

Validation logic is defined in the component using validators (Validators.required, Validators.minLength, etc.).

Custom validators are easier to create and reuse, and dynamic validations are straightforward to implement.

It is easier to test since the form logic is encapsulated in the component class.

It is highly scalable and more suitable for large, dynamic forms.

It is built for dynamic form handling; adding, removing, or modifying form controls is straightforward.

When to use Template-Driven Forms:-

Use for small, simple forms with basic validation needs.

Best for quick prototyping or forms that don’t require high customization.

When to use Reacive Forms

Use for complex forms, dynamic validations, or forms that need advanced features like conditional fields, multi-step forms, or reusable form logic.

Ideal for enterprise-level applications where maintainability and scalability are key.

@HostBinding and @HostListener are decorators used for interacting with the host element of a component or directive. These decorators are primarily used to bind properties and listen to events on the host element from within the component or directive.

@HostBinding allows you to bind a property of the host element to a property of the component or directive. This is useful when you want to manipulate the host element’s properties, such as adding or removing classes, setting attributes, or binding style properties.

@HostListener allows you to listen for events on the host element. You can define methods in your component or directive that will be triggered when a particular event occurs on the host element.

Sample Code

Create a directive - change-attribute.directive.ts

import { Directive, HostBinding, HostListener } from '@angular/core';

 

@Directive({

  selector: '[appChangeAttribute]'

})

export class ChangeAttributeDirective {

  constructor() { }

  randomColors: string[] = ['tomato', 'orange', 'dodgerBlue', 'mediumSeaGreen', 'gray', 'slateBlue', 'violet', 'lightGray', 'red', 'green'];

  flag = true;

  @HostBinding('style.background-color') bcColor;

  @HostBinding('style.color') color;

  @HostBinding('class.active') activeClass;

  // @HostBinding('disabled') isDisabled;

  @HostListener('click') onClick() {

    let randomIndex = Math.floor(Math.random() * 10);

    this.bcColor = this.randomColors[randomIndex];

    randomIndex = Math.floor(Math.random() * 10);

    this.color = this.randomColors[randomIndex];

    this.activeClass = this.flag;

    // this.isDisabled = this.flag;

    this.flag = !this.flag;

  }

}

app.component.ts

import { Component, HostListener } from '@angular/core';

 

@Component({

  selector: 'app-root',

   templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  name = 'Angular';

  blueColor = '#0000FF';

  orangColor = '#FFA500';

}

app.component.html

<button appChangeAttribute>

  Hello the parent of this div has change attribute directive. Click me to change color

</button>

:host is a selector that is used in the context of component styling. It allows you to target the host element of a component, which is the element where the component is instantiated in the template. This can be useful when you want to apply styles or do specific actions to the component's wrapper element, the one that hosts the component.

Sample code.

create a component - second.component.html

<h2>

    Host Style Demo

    </h2>

second.component.css

:host{

    display: block;

    height: 100px;

    background: rgb(128, 0, 30);

  }

      :host(.active){

    background: rgb(255, 247, 0);

  }

   

  :host-context(.theme-light) {

    background-color: rgb(76, 42, 172);

  }

app.component.html

<div class="theme-light">

          <app-second class="active"></app-second>

</div>

The NgClass directive is used to dynamically add or remove CSS classes to/from an HTML element based on an expression. This allows for more flexible styling depending on the application's state or logic. 

Sample Code

app.component.css

h2 {

    color: darkgreen;

}

  .Success {

    color: black;

    font-size: medium;

    width: 350px;

    padding: 20px;

    background: lightgreen;

}

  .Error {

    color: black;

    font-size: medium;

    width: 350px;

    padding: 20px;

    background: red;

}

  .Warning {

    color: black;

    font-size: medium;

    width: 350px;

    padding: 20px;

    background: yellow;

}

app.component.ts

import { Component, HostListener } from '@angular/core';

 

@Component({

  selector: 'app-root',

   templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  isSuccess: boolean = false;

    isError: boolean = false;

    isWarning: boolean = false;

    message: string = '';

      Success() {

        this.isSuccess = true;

        this.isError = false;

        this.isWarning = false;

        this.message = 'Success Clicked!';

    }

      Error() {

        this.isError = true;

        this.isSuccess = false;

        this.isWarning = false;

        this.message = 'Danger Clicked!!';

    }

      Warning() {

        this.isWarning = true;

        this.isError = false;

        this.isSuccess = false;

        this.message = 'Warning Clicked!!';

    }

}

app.component.html

<div class="container">

  <div class="row">

      <div class="col-xs-12">

          <h2>Welcome to GFG!!!</h2><br>

          <button class="btn btn-success"

                  (click)="Success()">

                Toggle Success

            </button>  

          <button class="btn btn-danger"

                  (click)="Error()">

                Toggle Error

            </button> 

          <button class="btn btn-warning"

                  (click)="Warning()">

                Toggle Warning

            </button> 

          <h3 class="display"

              [ngClass]="{ 'Success': isSuccess, 

                           'Error': isError ,  

                           'Warning':isWarning}">

              {{message}}

          </h3>

      </div>

  </div>

</div>

app.component.ts

import { Component } from '@angular/core';

import { FormBuilder, FormGroup, FormArray } from '@angular/forms';

 

@Component({

  selector: 'app-root',

   templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  matrix3D: number[][][] = [

    [

      [1, 2, 3],

      [4, 5, 6],

      [7, 8, 9]

    ],

    [

      [10, 11, 12],

      [13, 14, 15],

      [16, 17, 18]

    ]

  ];

}

app.component.html

<div *ngFor="let matrix2D of matrix3D">

  <table>

    <tr *ngFor="let row of matrix2D">

      <td *ngFor="let cell of row">

        {{ cell }}

      </td>

    </tr>

  </table>

</div>

e2e - Folder for testing files

node_modules - Folder for project node dependencies

src - folder for project source codes

.editorconfig - Editor Configuration file

angular.json - CLI configuration file

package.json - Node dependencies configuration file

README.md Readme informational file, contains information on CLI commands

Bootstrapping in Angular refers to the process of initializing and launching an Angular application. It involves setting up the Angular framework, loading the root module, and rendering the application in the browser.

The steps involved when he starter project bootstraps :-

When we go to localhost:4200, the following happens.

The web browser opens the file index.html by default.

The browser loads the script files on the end. This includes main.bundle.js, which is a transpiled version of the typescript file main.tsThis is our main app entry point.

Main.bundle.js loads some modules then calls the following Angular system code:

platformBrowserSpecific().bootstrapModule(AppModule)

AppModule is loaded—it’s the root Angular module used to bootstrap the application.

The AppModule bootstraps with the AppComponent , injecting the component into the space between the start and end tags app-root:

<app-root>Loading...</app-root>

--flat - Generates a cli project with a flat file structure, not generating each component in its own directory.

--inline-template :- Generates components with inline templates  Component template markup will be generated within the component rather than in a separate file.

--inline-style :- Generates components with inline styles. Component styles will be generated within the component rather than in a separate file.

----skip-tests:- Generates component without the unit testing ‘spec’ files that are normally generated for you by default.

--minimal :-Generates a minimal cli project with inline templates, styles and without tests.

--routing :- is used to create a new Angular project with routing functionality enabled.Routing Module: The AppRoutingModule file (app-routing.module.ts) is added to manage routes in the project.

The code is minified to reduce file size.

Whitespace, comments, and unnecessary code are removed.

This improves load time and performance.

Angular templates are precompiled into JavaScript during the build process.

This eliminates the need for Angular to compile templates in the browser, improving startup time.

Unused parts of your code or libraries are removed from the final bundle.

This ensures that only necessary code is included, reducing the bundle size.

Generates separate bundles for modern and older browsers.

Angular sets production mode, which disables assertions and checks meant for development.

Enables optimizations like dead code elimination.

The output is placed in the dist/ directory by default.

Ahead-of-Time (AOT) Compilation in Angular is a mechanism that compiles Angular HTML templates and TypeScript code into efficient JavaScript code before the browser downloads and runs the application.

This compilation happens during the build process, as opposed to Just-in-Time (JIT) compilation, which happens in the browser at runtime.

Benefits of AOT Compilation :-

Improved Performance:

Smaller Bundles:

Template Error Detection:

Faster Rendering:

Better Security:

You can run your app with aot compilation on with the following command:

ng serve -aot

This can be very useful in finding errors in advance in your templates.

One-way data binding:

Data flows in one direction, typically from the component (model) to the view (template) or vice versa. In Angular, this is denoted by square brackets [] for property binding (from component to template) and parentheses () for event binding (from template to component).

Examples

<img [src]="imageUrl">

<button (click)="onClick()">Click me</button>

<p>

Length: {{title.length}}

</p>

Two-way databinding :

Data flows both ways, meaning changes in the model update the view and changes in the view update the model. In Angular, this is achieved using the ngModel directive, which combines property binding and event binding in a single notation using [()].

Sample Code

Add Forms Module to app.module.ts

app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  fullName: string = "Hello TwoWay Binding";   

}

app.component.html

<h2>Two-way Binding Example</h2>   

   <input [(ngModel)]="fullName" /> <br/><br/>   

<p> {{fullName}} </p>

Shared modules are a common pattern used to organize and reuse functionality across different parts of an application.

They are particularly useful for grouping reusable components, directives, pipes, and services that are needed in multiple feature modules or components.

Services provided in a shared module should generally not have stateful logic, as they can create multiple instances when the shared module is imported in multiple places. Instead, services with shared state should be provided in the root module.

Sample Code

Create a share module called Shared.module.ts using CLI command. You can use this shared module in another feature module by referering it inside that module. For example,

import { SharedModule } from '../shared/shared.module';

Use shared modules to encapsulate and organize reusable functionality for better code maintenance and readability.

Constructor is used for initializing the class and injecting dependencies.

It's a standard TypeScript/JavaScript feature

It is executed when the class is instantiated

It is often used to set up services or other dependencies needed by the component or service.

OnInit is a  lifecycle hook in Angular that allows you to write initialization logic that depends on component inputs or other bindings.

OnInit is called after Angular initializes the component's inputs and runs change detection. This ensures all bindings and properties are ready.

OnInit is sude to perform additional setup tasks that require the component to be fully initialized (e.g., fetching data, accessing bound properties).

In the case of OnInit, the component needs to implement the OnInit interface and define the ngOnInit method.

NgOnChanges is a lifecycle hook in Angular that is called when any data-bound property of a directive or component changes. It is primarily used to respond to changes in the component's input properties.

It is invoked before the ngOnInit lifecycle hook and whenever an input property changes during the component's lifecycle.

Tracks changes to properties bound with the @Input decorator.

Receives a SimpleChanges Object: Provides metadata about the current and previous values of the changed input properties.

NgDoCheck is a lifecycle hook in Angular that allows developers to perform custom change-detection logic.

 It is part of Angular's core lifecycle hooks and is called during every change-detection cycle, whether the change is triggered by data-binding, user interaction, or other events.

NgDoCheck is called on every change-detection cycle, while OnChanges is only triggered when Angular detects changes to input-bound properties of a component.

NgDoCheck provides a broader, more general approach to detect changes, whereas OnChanges is specific to input-bound properties.

Fragments are often used in the context of routing to navigate to a specific section of a page using anchor tags or fragment identifiers. Fragments are denoted by a hash (#) followed by the identifier.

You can use the [routerLink] directive with a fragment attribute to navigate to a specific section of a page.

<a [routerLink]="'/about'" fragment="section1">Go to Section 1</a>

<a [routerLink]="'/about'" fragment="section2">Go to Section 2</a>

Deep linking in Angular refers to enabling users to navigate to specific parts of your application directly via a URL. It leverages Angular's routing capabilities, allowing you to create URLs that map to specific components, views, or states in your application.

Sample Code

Create 3 components - Home,About,Product

add following codes in app-routing.module.ts

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './home/home.component';

import { AboutComponent } from './about/about.component';

import { ProductComponent } from './product/product.component';

 

const routes: Routes = [

  { path: '', component: HomeComponent },

  { path: 'about', component: AboutComponent },

  { path: 'product/:id', component: ProductComponent }, // Deep linking example

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule]

})

export class AppRoutingModule { }

Add in main parent componnet, ie app.component.html

<nav>

    <a routerLink="/">Home</a>

    <a routerLink="/about">About</a>

    <a [routerLink]="['/product', 42]">Product 42</a>

  </nav>

  <router-outlet></router-outlet>

Product.component.html

<p>Product ID: {{ productId }}</p>

Product.component.ts

import { Component,OnInit } from '@angular/core';

import { ActivatedRoute } from '@angular/router';

 

@Component({

  selector: 'app-product',

  templateUrl: './product.component.html',

  styleUrls: ['./product.component.css']

})

export class ProductComponent implements OnInit {

  productId!: string;

  constructor(private route: ActivatedRoute) {}

  ngOnInit(): void {

    this.route.paramMap.subscribe(params => {

      this.productId = params.get('id')!;

    });

  }

}

Run the application.

Create a component user.component.ts,user.component.html

app-routing.module.ts

const routes: Routes = [

  { path: 'user', component: UserComponent },

];

user.component.ts

import { Component } from '@angular/core';

import { ActivatedRoute } from '@angular/router';

 

@Component({

  selector: 'app-user',

  templateUrl: './user.component.html',

  styleUrls: ['./user.component.css']

})

export class UserComponent {

  userId!: string;

  orderby!:string;

  category!:string;

  constructor(private route: ActivatedRoute) {}

  //

  ngOnInit() {

    console.log('exe3cute');

    this.route.queryParams

      .subscribe(params => {

        //console.log(params); // { orderby: "price" }

        this.orderby = params.orderby;

        this.category = params.category;

        console.log(this.orderby); // price

        console.log(this.category); // price

      }

    );

  }

}

app.component.html

<app-user></app-user>

Run application with url

http://localhost:4200/user?orderby=price&category=fiction

In Angular, the HttpClient is a powerful and flexible service used for making HTTP requests.

The Angular Http client is a service that you can inject into your classes to perform HTTP communication with a server. This service is available through the new Angular  Http Client module @angular/common/http.

Features of Http Client :-

It supports GET, POST, PUT, DELETE, PATCH requests.

GET :- In order to get resources from the server.

POST - It typically sends the data in the

request body.

PUT -  it’s typically used to update a resource rather than create it.

DELETE - is used to remove a resource from the server.

PATCH - 1.    To update only a portion of data.It’s not idempotent.

2.       It doesn’t have length restrictions.

3.       It’s not cacheable.

4.       The request uses HTTP body.

5.       The response is returned as HTTP header

Http client uses Interceptors for request/response modification.

Http client uses Observables from RxJS for asynchronous operations.

Http client supports Error handling and retry logic.

Import the HttpClientModule in app.module.ts

import { HttpClientModule } from '@angular/common/http';

imports: [

    BrowserModule,

    HttpClientModule, // Add this

  ],

Inject HttpClient into a Service or Component:

To use in a Component by the help of a service,

import { Component, OnInit } from '@angular/core';

import { DataService } from './data.service';

 

@Component({

  selector: 'app-data',

  template: `

    <div *ngIf="data">

      <pre>{{ data | json }}</pre>

    </div>

  `

})

export class DataComponent implements OnInit {

  data: any;

  constructor(private dataService: DataService) {}

  ngOnInit() {

    this.dataService.getData().subscribe({

      next: (response) => this.data = response,

      error: (err) => console.error(err),

    });

  }

}

You can customize headers or other request options.

import { HttpHeaders } from '@angular/common/http';

 

getDataWithHeaders(): Observable<any> {

  const headers = new HttpHeaders({

    'Authorization': 'Bearer my-token',

    'Custom-Header': 'value'

  });

  return this.http.get(this.apiUrl, { headers });

}

The async pipe subscribes to an observable or promise and returns the latest value it has emitted. When a new value is emitted, the async pipe marks the component to be checked for changes.

 When the component gets destroyed, the async pipe unsubscribes automatically to avoid potential memory leaks.

Sample Code

Add Httpclient moduel to app.module.ts

import { HttpClientModule } from '@angular/common/http';

 imports: [

    BrowserModule,

    AppRoutingModule,

    FormsModule,

    HttpClientModule

  ],

app.component.ts

import { Component } from '@angular/core';

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { map } from 'rxjs/operators';

import { Observable } from 'rxjs';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  _result: any;

constructor(private _http: HttpClient) {}

ngOnInit() {

this._result =

this._http.get<Array<any>>

("http://jsonplaceholder.typicode.com/posts")

.pipe(

map(

response => {

let titles = '';

for (const responseItem of response){

titles += responseItem['title'];

}

return titles;

console.log(titles);

console.log('executed');

}

)

)

}

}

app.component.html

<h1>Post Title Names</h1>

<p>{{_result|async}}</p>

NgForm

Stores state information for the form,

Stores Values for all the controls inside the form

Stores Fields in the form

FormGroup

Stores the value and validity state of a group of FormControl instances

FormControl

Stores the value and validity state of an individual control

FormArray

This is used to track the value and state of multiple FormControls, FormGroups, or

FormArrays. It’s useful for dealing with multiple form objects and tracking overall validity and state.

ng-touched :-  Style applied if control has lost focus

ng-untouched:-  Style applied if control hasn’t lost focus yet

ng-valid:  Style applied if control passes validation

ng-invalid:  Style applied if control doesn’t pass validation

ng-dirty : Style applied if user has already interacted with the control

ng-pristine : Style applied if user hasn’t interacted with the control yet

Validators.required

Ensures the field is not empty.

Validators.minLength(length)

Ensures the field has at least length characters.

Validators.maxLength(length)         

Ensures the field has at most length characters.

Validators.pattern(regex)           

Validates the input against a regular expression.

Validators.min(value)   

Ensures the number is not less than the specified value.

Validators.max(value)  

Ensures the number is not more than the specified value.

Validators.email  

Ensures the input is a valid email format.

Sample Code

import { Component } from '@angular/core';

import { FormBuilder, FormGroup, Validators } from '@angular/forms';

@Component({

  selector: 'app-example-form',

  template: `

    <form [formGroup]="form" (ngSubmit)="onSubmit()">

      <label for="username">Username:</label>

      <input id="username" formControlName="username" />

      <div *ngIf="form.controls['username'].errors?.['required']">

        Username is required.

      </div>

      <label for="email">Email:</label>

      <input id="email" formControlName="email" />

      <div *ngIf="form.controls['email'].errors?.['email']">

        Invalid email format.

      </div>

      <button type="submit" [disabled]="form.invalid">Submit</button>

    </form>

  `,

})

export class ExampleFormComponent {

  form: FormGroup;

  constructor(private fb: FormBuilder) {

    this.form = this.fb.group({

      username: ['', Validators.required],

      email: ['', [Validators.required, Validators.email]],

    });

  }

  onSubmit() {

    console.log(this.form.value);

  }

}

Pipes are used to transform data in templates. They are very helpful for formatting and displaying data in a user-friendly way.

Some common built-in-pipes are :-

 DatePipe - Formats a date value according to locale rules.

UpperCasePipe - Transforms text to uppercase.

 LowerCasePipe -Transforms text to lowercase.

TitleCasePipe - Capitalizes the first letter of each word in a string.

DecimalPipe - Formats numbers with decimal points and grouping separators.

CurrencyPipe - Formats numbers as currency.

PercentPipe - Converts a number to a percentage string.

 SlicePipe - Extracts a subset of an array or a string.

JsonPipe -Converts an object into a JSON string.

AsyncPipe - Resolves and displays the value of a Promise or Observable.

KeyValuePipe - Converts an object or map into an array of key-value pairs.

Sample Code

app.component.ts

dt = new Date();

app.component.html

<p>

    Lowercase: {{ "Lower Case Example" | lowercase }}

    </p>

    <p>

    Uppercase: {{ "Upper Case Example" | uppercase }}

    </p>

    <p>

    Currency: {{ 2012.55 | currency }}

    </p>

    <p>

    UK Pound Currency: {{ 2012.55 | currency: 'gbp':true }}

    </p>

    <p>

    Percentage: {{ 0.5 | percent }}

    </p>

    <p>

    Date: {{ dt | date }}

    </p>

 

    <p>

    Special Date Format: {{ dt | date:'yMMMMEEEEd' }}

    </p>

View Encapsulation in Angular is a mechanism that determines how styles defined in a component affect the component itself and other parts of the application. It is used to control the scope of the styles applied in an Angular application to avoid conflicts and ensure that styles are applied only where intended.

Angular provides three strategies for view encapsulation, defined by the ViewEncapsulation enum.

1.Emulated (Default)

Angular emulates Shadow DOM behavior by adding unique attribute selectors to the component's host and its child elements. This ensures that styles defined in a component only affect that component.

2. None

Styles are applied globally, without any encapsulation. The styles defined in the component can affect other parts of the application.

3. ShadowDom

 Angular uses the native Shadow DOM available in modern browsers. Styles are scoped to the component using the Shadow DOM's inherent encapsulation.

What is valueChanges  used with FormControl ?

The Angular Forms API  offers ready-to-use observables that push notifications about important events that are happening with the entire form or with form control. They are valueChanges & statusChanges

valueChanges is an observable provided by Angular's FormControl, FormGroup, and FormArray classes. It emits events whenever the value of the associated control changes. This is commonly used for real-time tracking of form input values or for reacting to form changes dynamically.

Sample code for ValueChanges

app.component.html

<input [formControl]="nameControl" placeholder="Enter your name">

    <p>Your name: {{ name }}</p>

app.component.ts

import { Component } from '@angular/core';

import { FormControl } from '@angular/forms';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent   {

   nameControl = new FormControl('');

  name: string | null;

  constructor() {

    // Subscribe to valueChanges

    this.nameControl.valueChanges.subscribe(value => {

      this.name = value;

    });

  }

}

Add Formsmodule & ReactiveFormsModule in app.module.ts

StatusChanges

You can monitor the status of a form control using the statusChanges observable provided by Angular's FormControl. This observable emits whenever the validation status of the form control changes.

Sample Code

app.component.ts

import { Component,OnInit } from '@angular/core';

import { FormBuilder, FormGroup, Validators } from '@angular/forms';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  myForm!: FormGroup;

  constructor(private fb: FormBuilder) {}

  ngOnInit(): void {

    this.myForm = this.fb.group({

      username: ['', [Validators.required, Validators.minLength(3)]],

    });

    const usernameControl = this.myForm.get('username');

    // Subscribe to statusChanges observable

    usernameControl?.statusChanges.subscribe((status) => {

      console.log(`Username field status changed to: ${status}`);

    });

  }

  get username() {

    return this.myForm.get('username');

  }

}

app.component.html

<form [formGroup]="myForm">

  <label for="username">Username</label>

  <input id="username" formControlName="username" />

  <div *ngIf="username?.status === 'INVALID'">

    Invalid username

  </div>

</form>

You subscribe to statusChanges to listen for updates whenever the status of the username control changes.

You’ll see console logs for status changes like VALID, INVALID, or PENDING (when an async validator is in progress).

switchMap is a powerful operator in RxJS, commonly used in Angular applications when working with observables.

switchMap maps each emitted value from the source observable to a new observable (an inner observable). When a new value is emitted from the source observable, switchMap unsubscribes from the previous inner observable and subscribes to the new one.

This behavior ensures that only the latest observable's emissions are processed, making it ideal for canceling outdated requests or operations.

Sample code

app.component.ts

import { Component } from '@angular/core';

import { FormControl } from '@angular/forms';

import { debounceTime, switchMap } from 'rxjs/operators';

import { of } from 'rxjs';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  searchControl = new FormControl();

  results: string[] = [];

  ngOnInit() {

    this.searchControl.valueChanges.pipe(

      debounceTime(300), // Wait for 300ms after each keystroke

      switchMap(searchTerm => this.fakeSearch(searchTerm))

    ).subscribe(results => {

      this.results = results;

    });

  }

  fakeSearch(query: string) {

    const data = ['apple', 'banana', 'cherry', 'date', 'elderberry'];

    return of(data.filter(item => item.toLowerCase().includes(query.toLowerCase())));

  }

}

app.component.html

<input [formControl]="searchControl" placeholder="Search">

<ul>

  <li *ngFor="let result of results">{{ result }}</li>

</ul>

Add FormsModule & ReactiveFormsModule in app.module.ts

The asyncPipe in Angular is a built-in pipe used to subscribe to an Observable or a Promise and return its latest emitted value.

 It automatically manages the subscription and unsubscription, which makes it especially useful when working with asynchronous data streams in Angular templates.

Example for asyncpipe with Observable

app.component.ts

import { Component } from '@angular/core';

import { Observable } from 'rxjs';

import { HttpClient } from '@angular/common/http';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  data$: Observable<any>;

  constructor(private http: HttpClient) {

    this.data$ = this.http.get('https://jsonplaceholder.typicode.com/posts');

  }

}

app.component.html

<div *ngIf="data$ | async as data">

  {{ data | json }}

</div>

Add HttpClientModule in app.module.ts

Example for asyncpipe with Promise

app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  promiseData: Promise<string>;

  constructor() {

    this.promiseData = this.getData();

  }

  getData(): Promise<string> {

    return new Promise((resolve) => {

      setTimeout(() => resolve('Hello from Promise!'), 2000);

    });

  }

}

app.component.html

<div *ngIf="promiseData | async as data">

  {{ data }}

</div>

Asynchronous validators can be used to check form values by making requests to a remote server. Like synchronous validators, async validators are functions.

The main difference is that async validators should return either an Observable or a Promise object.

If a form control has both sync and async validators, the latter will be invoked only after the value(s) pass all synchronous validators.

HttpParams in Angular is a class used to handle HTTP request parameters in a clean and immutable way. It is part of the @angular/common/http package and is typically used when constructing query parameters for HTTP requests.

Sample code to create HttpParams in a service

import { HttpClient, HttpParams } from '@angular/common/http';

import { Injectable } from '@angular/core';

import { Observable } from 'rxjs';

 

@Injectable({

  providedIn: 'root',

})

export class MyService {

  constructor(private http: HttpClient) {}

  getData(): Observable<any> {

    const params = new HttpParams().set('param1', 'value1').set('param2', 'value2');

    return this.http.get('https://api.example.com/data', { params });

  }

}

It is used to manage headers for HTTP requests.

Sample Code

You can use HttpHeaders to set headers for your HTTP requests.

import { HttpClient, HttpHeaders } from '@angular/common/http';

import { Injectable } from '@angular/core';

 

@Injectable({

  providedIn: 'root',

})

export class ApiService {

  constructor(private http: HttpClient) {}

  getData() {

    const headers = new HttpHeaders({

      'Content-Type': 'application/json',

      Authorization: 'Bearer YOUR_TOKEN_HERE',

    });

    return this.http.get('https://api.example.com/data', { headers });

  }

}

you can modify HttpHeaders

const headers = new HttpHeaders()

  .set('Content-Type', 'application/json')

  .set('Authorization', 'Bearer YOUR_TOKEN_HERE');

To access headers from an HTTP response, you can use the HttpResponse object.

Sample code

this.http.get('https://api.example.com/data', { observe: 'response' })

  .subscribe(response => {

    console.log(response.headers.get('Content-Type'));

  });

You can use HttpHeaders with various HTTP methods like POST, PUT, DELETE, etc.

Sample Code

const headers = new HttpHeaders().set('Authorization', 'Bearer YOUR_TOKEN_HERE');

this.http.post('https://api.example.com/data', { key: 'value' }, { headers })

  .subscribe(response => console.log(response));

First put the json file in assets folder in the root. (data.json)

Add HttpClientModule in app.module.ts

Create a service and inject HttpClient inside it. Ru(DataService)

Sample code

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

@Injectable({

  providedIn: 'root',

})

export class DataService {

  private jsonUrl = 'assets/data.json'; // Path to your JSON file

  constructor(private http: HttpClient) {}

  getJsonData(): Observable<any> {

    return this.http.get<any>(this.jsonUrl);

  }

}

Now you can use this service in any component.

import { Component, OnInit } from '@angular/core';

import { DataService } from './data.service';

 

@Component({

  selector: 'app-root',

  template: `

    <h1>JSON Data:</h1>

    <pre>{{ jsonData | json }}</pre>

  `,

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  jsonData: any;

  constructor(private dataService: DataService) {}

  ngOnInit(): void {

    this.dataService.getJsonData().subscribe(

      (data) => {

        this.jsonData = data;

      },

      (error) => {

        console.error('Error fetching JSON data:', error);

      }

    );

  }

}

 

Run the application & Navigate to http://localhost:4200

in-memory web API in Angular is often used during development to simulate a backend server.

Angular provides the HttpClientInMemoryWebApiModule package that allows you to intercept HTTP requests and return mock responses, making it easier to develop and test without a real backend.

Features of HttpClientInMemoryWebApiModule :-

Intercepts HTTP requests and provides mock data.

Supports CRUD operations (GET, POST, PUT, DELETE).

Simulates server delays and errors.

Steps in implementing in-memory web API :-

Add package

npm install angular-in-memory-web-api --save

Create a service to define your mock data and handle simulated API requests.

in-memory-data.service.ts

import { InMemoryDbService } from 'angular-in-memory-web-api';

import { Injectable } from '@angular/core';

 

@Injectable({

  providedIn: 'root',

})

export class InMemoryDataService implements InMemoryDbService {

  // This method returns an object that represents the database

  createDb() {

    const heroes = [

      { id: 1, name: 'Iron Man' },

      { id: 2, name: 'Captain America' },

      { id: 3, name: 'Thor' },

      { id: 4, name: 'Hulk' },

    ];

    return { heroes }; // The collection name matches the route (e.g., `/api/heroes`)

  }

}

Import and configure the HttpClientInMemoryWebApiModule in your app module.

In app.module.ts

import { HttpClientModule } from '@angular/common/http';

import { HttpClientInMemoryWebApiModule } from 'angular-in-memory-web-api';

import { InMemoryDataService } from './in-memory-data.service';

import { provideHttpClient } from '@angular/common/http';

import { CommonModule } from '@angular/common';

import {  importProvidersFrom } from '@angular/core';

imports: [

    BrowserModule,

    AppRoutingModule,

    HttpClientModule,

    CommonModule

     

  ],

 providers: [

    provideHttpClient(),

    importProvidersFrom([

      HttpClientInMemoryWebApiModule.forRoot(InMemoryDataService)

    ])

  ],

Create a service to make make HTTP requests to mock API endpoints. These requests will be intercepted and served by the in-memory web API.

hero.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

@Injectable({

  providedIn: 'root',

})

export class HeroService {

  private apiUrl = 'api/heroes'; // Matches the key in `createDb()`

  constructor(private http: HttpClient) {}

  getHeroes(): Observable<any[]> {

    return this.http.get<any[]>(this.apiUrl);

  }

}

app.component.ts

import { Component, OnInit } from '@angular/core';

import { HeroService } from './hero.service';

 

@Component({

  selector: 'app-root',

  template: `

    <h1>Heroes</h1>

    <ul>

      <li *ngFor="let hero of heroes">{{ hero.name }}</li>

    </ul>

  `,

})

export class AppComponent implements OnInit {

  heroes: any[] = [];

  constructor(private heroService: HeroService) {}

  ngOnInit() {

    this.heroService.getHeroes().subscribe((data) => {

      this.heroes = data;

    });

  }

}

Run the application.

Content projection in Angular is a powerful feature that allows you to insert dynamic content into a component's template. It is commonly used to create reusable, customizable components that accept external content. This is achieved using the <ng-content> directive.

Sample code

create 2 components child & parent

child.component.html

<div class="header">

    <ng-content select="[slot=header]"></ng-content>

  </div>

  <div class="body">

    <ng-content></ng-content>

  </div>

  <div class="footer">

    <ng-content select="[slot=footer]"></ng-content>

  </div>

parent.component.html

<app-child>

    <div slot="header">Header Content</div>

    <p>Main body content goes here.</p>

    <div slot="footer">Footer Content</div>

  </app-child>

In app.component.html,

<app-parent></app-parent>

The Repository Pattern is a design pattern commonly used in software development to abstract data access and enable a more flexible and testable architecture.

It acts as a mediator between the domain and the data source layer, providing a unified interface for performing data operations while hiding the underlying data access logic.

Advantages of Using the Repository Pattern in Angular

Keeps business logic separate from data access logic.

Mock repositories for unit testing without dependencies on the database or APIs.

A uniform way to access and manage data entities.

Easily swap or modify data sources (e.g., from REST API to GraphQL).

To Implement repository pattern in angular

Create an interface for data model

export interface User {

  id: number;

  name: string;

  email: string;

}

Create a generic interface for the repository. This ensures all repositories follow the same structure.

export interface Repository<T> {

  getAll(): Observable<T[]>;

  getById(id: number): Observable<T>;

  add(entity: T): Observable<T>;

  update(entity: T): Observable<T>;

  delete(id: number): Observable<void>;

}

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import { User } from './models/user.model';

import { Repository } from './interfaces/repository.interface';

 

@Injectable({

  providedIn: 'root',

})

export class UserRepository implements Repository<User> {

  private readonly apiUrl = 'https://api.example.com/users';

  constructor(private http: HttpClient) {}

  getAll(): Observable<User[]> {

    return this.http.get<User[]>(this.apiUrl);

  }

  getById(id: number): Observable<User> {

    return this.http.get<User>(`${this.apiUrl}/${id}`);

  }

  add(user: User): Observable<User> {

    return this.http.post<User>(this.apiUrl, user);

  }

  update(user: User): Observable<User> {

    return this.http.put<User>(`${this.apiUrl}/${user.id}`, user);

  }

  delete(id: number): Observable<void> {

    return this.http.delete<void>(`${this.apiUrl}/${id}`);

  }

}

 

Use the repository in a service to handle business logic.

 

import { Injectable } from '@angular/core';

import { UserRepository } from './repositories/user.repository';

import { Observable } from 'rxjs';

import { User } from './models/user.model';

 

@Injectable({

  providedIn: 'root',

})

export class UserService {

  constructor(private userRepository: UserRepository) {}

  getUsers(): Observable<User[]> {

    return this.userRepository.getAll();

  }

  getUser(id: number): Observable<User> {

    return this.userRepository.getById(id);

  }

  createUser(user: User): Observable<User> {

    return this.userRepository.add(user);

  }

  updateUser(user: User): Observable<User> {

    return this.userRepository.update(user);

  }

  deleteUser(id: number): Observable<void> {

    return this.userRepository.delete(id);

  }

}

 

Inject the service into a component and use it.

 

import { Component, OnInit } from '@angular/core';

import { UserService } from './services/user.service';

import { User } from './models/user.model';

 

@Component({

  selector: 'app-user-list',

  template: `

    <ul>

      <li *ngFor="let user of users">{{ user.name }}</li>

    </ul>

  `,

})

export class UserListComponent implements OnInit {

  users: User[] = [];

  constructor(private userService: UserService) {}

  ngOnInit(): void {

    this.userService.getUsers().subscribe((data) => {

      this.users = data;

    });

  }

}

In Angular, @Inject is a decorator used to explicitly specify a dependency to be injected into a class constructor. It's part of Angular's dependency injection (DI) system.

1.       You can inject a Value Using InjectionToken

Sample code

import { Component, Inject, InjectionToken } from '@angular/core';

// Create an InjectionToken

export const APP_CONFIG = new InjectionToken<string>('app.config');

 

const AppConfig = {

  apiUrl: 'https://api.example.com',

};

 

@Component({

  selector: 'app-root',

  template: `<h1>Welcome to Angular</h1>`,

  providers: [{ provide: APP_CONFIG, useValue: AppConfig }],

})

export class AppComponent {

  constructor(@Inject(APP_CONFIG) private config: any) {

    console.log('API URL:', this.config.apiUrl);

  }

}

2.       You can Inject strings or objects

import { Component, Inject } from '@angular/core';

 

@Component({

  selector: 'app-root',

  template: `<h1>{{ title }}</h1>`,

  providers: [{ provide: 'APP_TITLE', useValue: 'My Angular App' }],

})

export class AppComponent {

  title: string;

 

  constructor(@Inject('APP_TITLE') title: string) {

    this.title = title;

  }

}

To create a confirmation dialog box in Angular, you typically use the Angular Material library for a consistent and responsive UI.

Steps for implementing a confirmation dialog box

Install Angular Material

ng add @angular/material

Generate a new component to serve as the confirmation dialog:

ng generate component confirmation-dialog

Create the Dialog Component

confirmation-dialog.component.html

<h1 mat-dialog-title>{{ data.title }}</h1>

<div mat-dialog-content>

  <p>{{ data.message }}</p>

</div>

<div mat-dialog-actions align="end">

  <button mat-button (click)="onCancel()">Cancel</button>

  <button mat-raised-button color="primary" (click)="onConfirm()">Confirm</button>

</div>

confirmation-dialog.component.ts

import { Component, Inject } from '@angular/core';

import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';

 

@Component({

  selector: 'app-confirmation-dialog',

  templateUrl: './confirmation-dialog.component.html',

  styleUrls: ['./confirmation-dialog.component.css']

})

export class ConfirmationDialogComponent {

  constructor(

    public dialogRef: MatDialogRef<ConfirmationDialogComponent>,

    @Inject(MAT_DIALOG_DATA) public data: { title: string; message: string }

  ) {}

  onConfirm(): void {

    this.dialogRef.close(true);

  }

  onCancel(): void {

    this.dialogRef.close(false);

  }

}

Inject MatDialog into the component where you want to trigger the confirmation dialog. In our case app.component.ts

import { Component  } from '@angular/core';

import { MatDialog } from '@angular/material/dialog';

import { ConfirmationDialogComponent } from './confirmation-dialog/confirmation-dialog.component';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent  {

  constructor(private dialog: MatDialog) {}

  openConfirmationDialog(): void {

    const dialogRef = this.dialog.open(ConfirmationDialogComponent, {

      width: '400px',

      data: {

        title: 'Confirm Deletion',

        message: 'Are you sure you want to delete this item?'

      }

    });

    dialogRef.afterClosed().subscribe(result => {

      if (result) {

        console.log('User confirmed the action');

        // Perform the confirmed action here

      } else {

        console.log('User canceled the action');

      }

    });

  }

}

app.component.html

<button mat-raised-button (click)="openConfirmationDialog()">Delete</button>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatDialogModule } from '@angular/material/dialog';

import { MatButtonModule } from '@angular/material/button';

import { AppComponent } from './app.component';

import { ConfirmationDialogComponent} from './confirmation-dialog/confirmation-dialog.component';

 

@NgModule({

  declarations: [

    AppComponent,

   ConfirmationDialogComponent,

    ],

  imports: [

    BrowserModule,

    BrowserAnimationsModule,

    MatDialogModule,

    MatButtonModule,

  ],

  providers: [],

  bootstrap: [AppComponent],

})

export class AppModule {}

Create a component

ng generate component DialogComponent

dialog-component.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-dialog',

  templateUrl: './dialog-component.component.html',

  styleUrls: ['./dialog-component.component.css']

})

export class DialogComponentComponent {

}

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatDialogModule } from '@angular/material/dialog';

import { MatButtonModule } from '@angular/material/button';

import { AppComponent } from './app.component';

import { DialogComponentComponent } from './dialog-component/dialog-component.component';

 

@NgModule({

  declarations: [

    AppComponent,

      DialogComponentComponent,

      ],

  imports: [

    BrowserModule,

    BrowserAnimationsModule,

    MatDialogModule,

    MatButtonModule,

  ],

  providers: [],

  bootstrap: [AppComponent],

})

export class AppModule {}

 

dialog-component.component.html

<h1 mat-dialog-title>Dialog Title</h1>

    <div mat-dialog-content>

      <p>This is the content of the dialog.</p>

    </div>

    <div mat-dialog-actions>

      <button mat-button mat-dialog-close>Close</button>

    </div>

Use above componet in any component

app.component.ts

import { Component  } from '@angular/core';

import { MatDialog } from '@angular/material/dialog';

import { ConfirmationDialogComponent } from './confirmation-dialog/confirmation-dialog.component';

import { DialogComponentComponent } from './dialog-component/dialog-component.component';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent  {

  constructor(private dialog: MatDialog) {}

  openDialog(): void {

    const dialogRef = this.dialog.open(DialogComponentComponent, {

      width: '300px',

      data: { message: 'Hello, World!' }

    });

    dialogRef.afterClosed().subscribe(result => {

      console.log('Dialog closed. Result:', result);

    });

  }

}

app.component.html

<button mat-button (click)="openDialog()">Open Dialog</button>

 

In Angular, the RouteReuseStrategy is an advanced mechanism used to control the reuse of components and routes during navigation.

It can significantly improve performance by caching and reusing previously loaded components and their states, avoiding the need to recreate them during navigation.

By default, Angular uses the DefaultRouteReuseStrategy, which does not cache routes but destroys components when navigating away and recreates them when navigating back.

In Angular (or JavaScript in general), you can use Object.keys() to retrieve the keys of an object as an array

Sample code

ts file

 data = {

    name: 'Angular',

    version: 15,

    framework: true

  };

  objectKeys = Object.keys;

 

Html file

 

<ul>

  <li *ngFor="let key of objectKeys(data)">

    {{ key }}: {{ data[key] }}

  </li>

</ul>

it is performing a shallow copy of the this.model object. This creates a new object that has the same properties and values as the original this.model object but does not copy nested objects or arrays.

This can be useful for triggering change detection in Angular, as the reference of the this.model object is updated, and Angular will detect the change and update the view accordingly.

Sample code

 model = { name: 'John', age: 30 };

 this.model = { ...this.model, age: 31 }; 

// Create a shallow copy with updated age

SweetAlert2 (often abbreviated as swal) is a popular library for displaying customizable pop-up alerts in web applications. In Angular, you can integrate SweetAlert2 using the sweetalert2 package.

The navigateByUrl() method is part of the Router class and is used to navigate to a specified URL. It provides an imperative way to change the route programmatically.

Steps involved :

import { Router } from '@angular/router';

 constructor(private router: Router) {}

this.router.navigateByUrl('/target-page');

The map operator from RxJS is frequently used to transform the items emitted by an Observable. It's commonly employed in scenarios where you need to modify or process the data before using it in your application.

Suppose we want to show only certain felds from the http response. In this case, we can use map operator to filter the data.

Sample code

app.component.ts

import { Component, OnInit } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { map } from 'rxjs/operators';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent implements OnInit  {

  users: any[] = [];

  constructor(private http: HttpClient) {}

  ngOnInit() {

    this.http.get('https://jsonplaceholder.typicode.com/users')

      .pipe(

        map((data: any) => data.map((user: any) => ({ id: user.id, name: user.name })))

      )

      .subscribe(transformedData => {

        this.users = transformedData;

      });

  }

}

app.component.html

 

<div *ngFor="let user of users">{{ user.name }}</div>

Add HttpClientModule in app.module.ts

JWT stands for JSON Web Tokens. All the user data the website needs is packed right into the token.

JWTs are made up of three parts: a header, a payload, and a signature.

Header: This shows the type of  token and the algorithm used for creating the signature.

Payload: This is where the user data is stored. It also contains details token generated and its expiry.

Signature: It contains encoded header, the encoded payload, and a secret key, then running them through a special algorithm. The resulting signature helps confirm that the token hasn’t been tampered with.

Authentication is the process of verifying the identity of users. It ensures that users are who they claim to be

Authorization determines what resources a user can access based on their roles or permissions.

For authentication we can use JWT token authentication method.

First, you need a backend service that issues JWTs. This backend will:

Authenticate users (e.g., via email/password).

Generate and return a JWT upon successful authentication.

For example, we are calling a WEB API from any backend service like Asp.Net,Java or python and we are getting a JWT token from them.

For this purpose, In our angular project, we have to create a authentication service to call the web api and return jwt token from backend service after the successful verification. Along with jwt token, we are getting the logged person's role also.

When you receive the response from the server after the user logins, you need to store it in the local storage

localStorage.setItem(‘access_token’, JSON.stringify(response.access_token));

Now we need an interceptor to take the JWT we stored and add it to the header of any HTTP requests that need it.

Now, authorization means to protect certain routes to allow only authenticated users. For this purpose, you can a route guard as follows

import { Injectable } from '@angular/core';

import { CanActivate, Router } from '@angular/router';

import { AuthService } from './auth.service';

 

@Injectable({

  providedIn: 'root',

})

export class AuthGuard implements CanActivate {

  constructor(private authService: AuthService, private router: Router) {}

  canActivate(): boolean {

    if (this.authService.isLoggedIn()) {

      return true;

    }

    this.router.navigate(['/login']);

    return false;

  }

}

And Apply the guard in your routes (in app.routing-module.ts)

const routes: Routes = [

  { path: 'dashboard', component: DashboardComponent, canActivate: [AuthGuard] },

  { path: 'login', component: LoginComponent },

];

We have to install angular material module first

We need 2 components :- one for confirmation dialog and another for displaying it.

First component - confirmation dialog component.

my-dialog-component.ts

import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';

import { Component, Inject } from '@angular/core';

 

@Component({

  selector: 'app-my-dialog',

  templateUrl: './my-dialog.component.html',

  styleUrls: ['./my-dialog.component.css']

})

export class MyDialogComponent {

  constructor(

    public dialogRef: MatDialogRef<MyDialogComponent>,

    @Inject(MAT_DIALOG_DATA) public data: any

  ) {}

  onNoClick(): void {

    this.dialogRef.close('not confirmed'); // No result returned

  }

  onConfirmClick(): void {

    this.dialogRef.close('Confirmed'); // Result returned

  }

}

my-dialog.component.html

<h1 mat-dialog-title>Hello {{ data.name }}</h1>

    <div mat-dialog-content>Would you like to confirm?</div>

    <div mat-dialog-actions>

      <button mat-button (click)="onNoClick()">Cancel</button>

      <button mat-button (click)="onConfirmClick()">Confirm</button>

    </div>

Next component - The component we want to display it.

app.component.ts

import { Component, OnInit } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { MyDialogComponent } from './my-dialog/my-dialog.component';

import { MatDialog } from '@angular/material/dialog';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent   {

  constructor(private dialog: MatDialog) {}

 

  openDialog(): void {

    const dialogRef = this.dialog.open(MyDialogComponent, {

      width: '300px',

      data: { name: 'Angular' }, // Passing data to the dialog

    });

    dialogRef.afterClosed().subscribe(result => {

      console.log('The dialog was closed');

      console.log('Result:', result); // Handle the result here

    });

  }

}

app.component.html

<button (click)="openDialog()">Open Dialog</button>

Add MatDialogModule in app.module.ts

Run the application and check console window for the result.

DialogActions typically refer to buttons or controls within a modal dialog that allow users to interact with it—such as "Save," "Cancel," "Close," or "Confirm."

Sample code

We have to create 2 components

A Dialog Component & Component In which we want to display it.

dialog-component.component.ts

import { Component, Inject } from '@angular/core';

import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';

 

@Component({

  selector: 'app-dialog',

  templateUrl: './dialog-component.component.html',

  styleUrls: ['./dialog-component.component.css']

})

export class DialogComponentComponent {

  constructor(

    public dialogRef: MatDialogRef<DialogComponentComponent>,

    @Inject(MAT_DIALOG_DATA) public data: any

  ) {}

  onCancel(): void {

    this.dialogRef.close(false); // Pass 'false' or any value you want

  }

  onConfirm(): void {

    this.dialogRef.close(true); // Pass 'true' or any value you want

  }

}

dialog-component.component.html

<h1 mat-dialog-title>Dialog Title</h1>

<div mat-dialog-content>

  <p>Dialog content goes here.</p>

</div>

<div mat-dialog-actions>

  <button mat-button (click)="onCancel()">Cancel</button>

  <button mat-button color="primary" (click)="onConfirm()">Confirm</button>

</div>

app.component.ts

import { Component, OnInit } from '@angular/core';

import { MatDialog } from '@angular/material/dialog';

import { DialogComponentComponent } from './dialog-component/dialog-component.component'

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent   {

  constructor(public dialog: MatDialog) {}

  openDialog(): void {

    const dialogRef = this.dialog.open(DialogComponentComponent, {

      width: '300px',

      data: { message: 'Are you sure?' },

    });

    dialogRef.afterClosed().subscribe((result) => {

      console.log('Dialog result:', result); // Handle the dialog result here

    });

  }

}

app.component.html

<div mat-dialog-actions>

    <button mat-button (click)="openDialog()">Select</button>

      </div>

Add  MatDialogModule  in app.module.ts

The exports array is used to make components, directives, pipes, or modules available to other modules that import this module.

For example in app.module.ts

import { ExampleComponent } from './example/example.component';

 exports: [

    ExampleComponent, // Make this component available to other modules

  ],

This means If another module (e.g., FeatureModule) imports the AppModule, it will have access to ExampleComponent because it's exported.

The imports array in the app.module.ts file of an Angular application is a key part of configuring your app's root module. It specifies the external and internal Angular modules that this root module depends on.

Imports sections contains

Angular Modules

Feature Modules

Third party Modules

Example

 imports: [

    BrowserModule, // Needed for rendering the app in a browser.

    FormsModule,   // For using template-driven forms.

    HttpClientModule, // For HTTP communication.

    FeatureModule  // Custom feature module.

  ],

The imports array in the app.module.ts file of an Angular application is a key part of configuring your app's root module. It specifies the external and internal Angular modules that this root module depends on.

For this, we have to install angular material module

Sample Code

app.component.ts

import { Component, OnInit,ViewChild } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { MatPaginator } from '@angular/material/paginator';

import { MatSort } from '@angular/material/sort';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent    {

  displayedColumns: string[] = ['name', 'age', 'email'];

  dataSource = new MatTableDataSource<User>([

    { name: 'Alice', age: 25, email: 'alice@example.com' },

    { name: 'Bob', age: 30, email: 'bob@example.com' },

    { name: 'Charlie', age: 35, email: 'charlie@example.com' },

    { name: 'John', age: 25, email: 'johne@example.com' },

    { name: 'Boss', age: 30, email: 'boss@example.com' },

    { name: 'Charu', age: 35, email: 'charu@example.com' },

 

  ]);

  @ViewChild(MatPaginator,{static: false}) paginator!: MatPaginator;

  @ViewChild(MatSort) sort!: MatSort;

 

  ngAfterViewInit() {

    this.dataSource.paginator = this.paginator;

    this.dataSource.sort = this.sort;

    }

  applyFilter(event: Event) {

    const filterValue = (event.target as HTMLInputElement).value;

    this.dataSource.filter = filterValue.trim().toLowerCase();

  }

}

interface User {

  name: string;

  age: number;

  email: string;

}

app.comonent.html

<div class="example-container mat-elevation-z8">

    <table mat-table [dataSource]="dataSource" matSort>

        <!-- Columns -->

      <ng-container matColumnDef="name">

        <th mat-header-cell *matHeaderCellDef mat-sort-header>Name</th>

        <td mat-cell *matCellDef="let element">{{ element.name }}</td>

      </ng-container>

        <ng-container matColumnDef="age">

        <th mat-header-cell *matHeaderCellDef mat-sort-header>Age</th>

        <td mat-cell *matCellDef="let element">{{ element.age }}</td>

      </ng-container>

        <ng-container matColumnDef="email">

        <th mat-header-cell *matHeaderCellDef mat-sort-header>Email</th>

        <td mat-cell *matCellDef="let element">{{ element.email }}</td>

      </ng-container>

        <!-- Header and Row -->

      <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

      <tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr>

    </table>

      <mat-paginator [pageSize]="3" showFirstLastButtons></mat-paginator>

  </div>

Add MatTableModule,MatPaginatorModule in app.module.ts

The onSameUrlNavigation property is a configuration option in the RouterModule. It determines how the router should behave when the user navigates to the same URL they are already on.

To enable it, in app-routing.module.ts

@NgModule({

  imports: [RouterModule.forRoot(routes, { onSameUrlNavigation: 'reload' })],

  exports: [RouterModule]

})

There are 2 Options for onSameUrlNavigation :-

'ignore' (default):

The router ignores the navigation if the new navigation is to the same URL as the current one.

'reload':

The router processes the navigation even if it is to the same URL as the current one. This is useful when you need to reload a component or trigger resolvers, guards, or other hooks.

 

The Router Reuse Strategy is an interface in Angular that allows developers to customize the router’s behavior when it comes to reusing routes. By implementing this interface, you can control which routes are cached and under what conditions.

it is a RouteReuseStrategy is an advanced mechanism used to control the reuse of components and routes during navigation.

One example for this use case is E-commerce Shopping Cart. When a user navigates between product categories, you can reuse the shopping cart component to preserve the selected items and quantity.

It can significantly improve performance by caching and reusing previously loaded components and their states, avoiding the need to recreate them during navigation.

By default, Angular uses the DefaultRouteReuseStrategy, which does not cache routes but destroys components when navigating away and recreates them when navigating back.

Router Reuse Strategy Methods :-

1. shouldDetach(route: ActivatedRouteSnapshot): boolean

Determines if the route should be detached (stored) for later reuse.

2. store(route: ActivatedRouteSnapshot, handle: DetachedRouteHandle): void

Stores the detached route.

3. shouldAttach(route: ActivatedRouteSnapshot): boolean

Determines if a stored route should be reattached (restored).

4. retrieve(route: ActivatedRouteSnapshot): DetachedRouteHandle | null

Retrieves the stored route handle for reattachment.

5. shouldReuseRoute(future: ActivatedRouteSnapshot, curr: ActivatedRouteSnapshot): boolean

Determines if a route should be reused based on the current and future routes.

Sample code

Create an enumeration to represent user roles.

export enum UserRole {

  Admin = 'Admin',

  Editor = 'Editor',

  Viewer = 'Viewer',

}

Implement a service to manage and provide user role information.

import { Injectable } from '@angular/core';

@Injectable({

  providedIn: 'root',

})

export class UserService {

  private role: UserRole = UserRole.Viewer; // Default role

  setRole(role: UserRole): void {

    this.role = role;

  }

  getRole(): UserRole {

    return this.role;

  }

  hasRole(requiredRole: UserRole): boolean {

    return this.role === requiredRole;

  }

  hasAnyRole(roles: UserRole[]): boolean {

    return roles.includes(this.role);

  }

}

Implement Role-Based Restriction in the Template

Use Angular's structural directives like *ngIf to conditionally display portions of the page based on the role.

<!-- app.component.html -->

<div *ngIf="userService.hasRole('Admin')">

  <h1>Admin Content</h1>

  <p>This section is only visible to Admin users.</p>

</div>

<div *ngIf="userService.hasAnyRole(['Admin', 'Editor'])">

  <h1>Editor Content</h1>

  <p>This section is visible to Admin and Editor users.</p>

</div>

<div *ngIf="!userService.hasAnyRole(['Admin', 'Editor'])">

  <h1>General Content</h1>

  <p>This section is visible to all other users.</p>

</div>

First Install Angular material module.

app.component.ts

import { Component, OnInit,ViewChild } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { MatPaginator } from '@angular/material/paginator';

import { MatSort } from '@angular/material/sort';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent    {

  displayedColumns: string[] = ['id', 'name', 'city', 'zip', 'contacts'];

  dataSource = [

    {

      id: 1,

      name: 'John Doe',

      address: { city: 'New York', zip: '10001' },

      contacts: ['123-456-7890', '987-654-3210'],

    },

    {

      id: 2,

      name: 'Jane Smith',

      address: { city: 'Los Angeles', zip: '90001' },

      contacts: ['555-123-4567'],

    },

  ];

}

app.component.html

<table mat-table [dataSource]="dataSource" class="mat-elevation-z8">

  <!-- ID Column -->

  <ng-container matColumnDef="id">

    <th mat-header-cell *matHeaderCellDef> ID </th>

    <td mat-cell *matCellDef="let element"> {{ element.id }} </td>

  </ng-container>

  <!-- Name Column -->

  <ng-container matColumnDef="name">

    <th mat-header-cell *matHeaderCellDef> Name </th>

    <td mat-cell *matCellDef="let element"> {{ element.name }} </td>

  </ng-container>

  <!-- City Column -->

  <ng-container matColumnDef="city">

    <th mat-header-cell *matHeaderCellDef> City </th>

    <td mat-cell *matCellDef="let element"> {{ element.address.city }} </td>

  </ng-container>

  <!-- Zip Column -->

  <ng-container matColumnDef="zip">

    <th mat-header-cell *matHeaderCellDef> ZIP Code </th>

    <td mat-cell *matCellDef="let element"> {{ element.address.zip }} </td>

  </ng-container>

  <!-- Contacts Column -->

  <ng-container matColumnDef="contacts">

    <th mat-header-cell *matHeaderCellDef> Contacts </th>

    <td mat-cell *matCellDef="let element">

      {{ element.contacts.join(', ') }}

    </td>

  </ng-container>

  <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

  <tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr>

</table>

update app.module.ts

import { MatTableModule } from '@angular/material/table';

import { MatSortModule } from '@angular/material/sort';

import { MatPaginatorModule } from '@angular/material/paginator';

imports: [

    MatTableModule,

    MatSortModule,

    MatPaginatorModule,

    ...

  ],

app.component.ts

import { Component, OnInit,ViewChild } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { MatPaginator } from '@angular/material/paginator';

import { MatSort } from '@angular/material/sort';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent    {

  nestedArray = [

    {

      name: 'Group 1',

      items: ['Item 1.1', 'Item 1.2', 'Item 1.3']

    },

    {

      name: 'Group 2',

      items: ['Item 2.1', 'Item 2.2']

    },

    {

      name: 'Group 3',

      items: ['Item 3.1', 'Item 3.2', 'Item 3.3', 'Item 3.4']

    }

  ];

}

app.component.html

<div *ngFor="let group of nestedArray">

  <h3>{{ group.name }}</h3>

  <ul>

    <li *ngFor="let item of group.items">

      {{ item }}

    </li>

  </ul>

</div>

The forEach method can be used to iterate over an array.

app.component.ts

import { Component, OnInit,ViewChild } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { MatPaginator } from '@angular/material/paginator';

import { MatSort } from '@angular/material/sort';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent    {

  items = ['Item 1', 'Item 2', 'Item 3'];

  ngOnInit() {

    this.items.forEach((item, index) => {

      console.log(`Item ${index + 1}: ${item}`);

    });

  }

}

app.component.html

<ul>

  <li *ngFor="let item of items">{{ item }}</li>

</ul>

It is often used to centralize and organize imports for Angular Material components. Instead of importing Angular Material modules individually into each component or feature module, you can create a dedicated module (commonly named MaterialModule) that bundles all the necessary Material components.

Sample code

import { NgModule } from '@angular/core';

import { MatButtonModule } from '@angular/material/button';

import { MatToolbarModule } from '@angular/material/toolbar';

import { MatIconModule } from '@angular/material/icon';

import { MatCardModule } from '@angular/material/card';

import { MatInputModule } from '@angular/material/input';

import { MatFormFieldModule } from '@angular/material/form-field';

import { MatSnackBarModule } from '@angular/material/snack-bar';

import { MatTableModule } from '@angular/material/table';

import { MatDialogModule } from '@angular/material/dialog';

 

@NgModule({

  imports: [

    MatButtonModule,

    MatToolbarModule,

    MatIconModule,

    MatCardModule,

    MatInputModule,

    MatFormFieldModule,

    MatSnackBarModule,

    MatTableModule,

    MatDialogModule,

  ],

  exports: [

    MatButtonModule,

    MatToolbarModule,

    MatIconModule,

    MatCardModule,

    MatInputModule,

    MatFormFieldModule,

    MatSnackBarModule,

    MatTableModule,

    MatDialogModule,

  ]

})

export class MaterialModule {}

You can use this module your main application module, that is, app.module.ts

import { MaterialModule } from './material.module';

 imports: [

    BrowserModule,

    BrowserAnimationsModule,

    MaterialModule

  ],

It represents the state of the route at a specific moment in time and provides static access to the route's data, parameters, and other information. It is typically used in services like route guards or resolvers, where the current state of the route is needed without subscribing to route changes.

Sample code

import { Injectable } from '@angular/core';

import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot, Router } from '@angular/router';

 

@Injectable({

  providedIn: 'root'

})

export class AuthGuard implements CanActivate {

  constructor(private router: Router) {}

  canActivate(

    route: ActivatedRouteSnapshot,

    state: RouterStateSnapshot

  ): boolean {

    const id = route.params['id']; // Access the route parameter

    if (id && this.isAuthorized(id)) {

      return true;

    } else {

      this.router.navigate(['/login']); // Redirect if not authorized

      return false;

    }

  }

  private isAuthorized(id: string): boolean {

    // Your authorization logic here

    return id === '123'; // Example condition

  }

}

It represents the state of the router at a specific moment in time. It provides a snapshot of the entire route tree, including all the activated routes and their associated data, parameters, and configurations.

it is often used in guards (CanActivate, CanDeactivate, etc.) or for debugging purposes to inspect the current state of the router.

You can use RouterStateSnapshot in a route guard to inspect the current or target URL and make decisions about route activation.

Sample coe

import { Injectable } from '@angular/core';

import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot } from '@angular/router';

 

@Injectable({

  providedIn: 'root',

})

export class AuthGuard implements CanActivate {

  canActivate(

    route: ActivatedRouteSnapshot,

    state: RouterStateSnapshot

  ): boolean {

    console.log('Current URL:', state.url); // Logs the current URL

    return this.isUserAuthenticated();

  }

  private isUserAuthenticated(): boolean {

    // Implement your logic to check authentication

    return true;

  }

}

you can get the current route path using the ActivatedRoute and Router services.

Sample code

In the component class,

import { ActivatedRoute,Router } from '@angular/router';

constructor(private route: ActivatedRoute, private router: Router) { }

  ngOnInit() {

    // Accessing the current route path

    console.log('Current route path:', this.router.url);

  }

 

 

The MVC pattern (Model-View-Controller) is a software design pattern commonly used for organizing the architecture of applications, especially in graphical user interfaces and web development. It separates an application into three interconnected components:

1. Model

Represents the data and the business logic of the application.

2. View

Displays data to the user and receives user inputs

3. Controller

Acts as a mediator between the model and the view.

Benefits of MVC:

Separation of Concerns:

Scalability:

Reusability

In Angular, Model means :-

Services: Responsible for managing data and business logic. Services are used to interact with APIs, manage state, and perform computations.

Interfaces: Define the structure of the data objects.

Classes: Provide models for creating objects with methods to manipulate them.

View Means :-

HTML Templates: Define the structure and layout of the UI.

CSS/SCSS: Style the UI elements.

Controller Means :-

Components: Components act as controllers in Angular, containing logic for interacting with the View and Model.

TypeScript is a open source programming language developed and maintained by Microsoft. It is a superset of JavaScript, meaning that all valid JavaScript code is also valid TypeScript code.

Features of typescript :-

TypeScript allows you to define complex types and enforce contracts using interfaces or type aliases.

TypeScript allows you to define types for variables, function parameters, and return values.

This helps catch type-related errors during development rather than at runtime.

TypeScript improves upon JavaScript's class and module systems, offering features like access modifiers (public, private, protected) and decorators.

TypeScript enhances the developer experience by providing better autocompletion, inline documentation, and error-checking in IDEs like Visual Studio Code.

What are Arrow functions in Angular?

Arrow functions in Angular are simply a JavaScript feature that can be used within Angular components, services, or any other TypeScript code in your Angular application.

Example 1 (In a component)

app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  message = 'Hello, Angular!';

  handleClick = () => {

    console.log(this.message); // 'this' refers to the ExampleComponent instance

  };

}

app.component.html

<button (click)="handleClick()">Click Me</button>

<router-outlet></router-outlet>

Example 2  In observables :-

import { Component, OnInit } from '@angular/core';

import { of } from 'rxjs';

import { map } from 'rxjs/operators';

 

@Component({

  selector: 'app-observable-example',

  template: `<p>Check console for results</p>`

})

export class ObservableExampleComponent implements OnInit {

  ngOnInit() {

    of(1, 2, 3)

      .pipe(map(value => value * 2)) // Arrow function

      .subscribe(result => console.log(result)); // Arrow function

  }

}

It is the shorthand syntax for defining the anonymous function, i.e., for function expressions. It omits the function keyword.

Arrow functions in TypeScript offer a concise syntax for defining functions, supporting parameters and returning type annotations.

Sample code

Create a ts file

test.ts

// ES6 arrow function

const sum = (a, b) => {

    return a + b;

  };

    // Concise version

  const multiply = (a, b) => a * b;

    // TS version (with types & return)

  const subtract = (a: number, b: number): number => {

    return a - b;

  };

    // TS version (with defaults values)

  const divide = (a = 0, b = 2) => a / b;

    // output (in console)

  console.log('sum ' + sum(6, 2));

  console.log('multiply ' + multiply(6, 2));

  console.log('subtract ' + subtract(6, 2));

  console.log('divide ' + divide(6, 2));

Compile it with tsc test.ts

It is compiled to a js file

Run js file

node test.js

In TypeScript, any is a special type that effectively disables type checking for the value assigned to it. It can hold any value and allows you to opt out of strict typing when necessary.

Variables declared with any can change types at runtime.

It bypasses TypeScript’s type-checking system, meaning you lose type safety.

string

Example

let name: string = "John";

number: Used for numeric values,

let age: number = 25;

boolean: Used for true/false values.

let isStudent: boolean = true;

bigint: For arbitrarily large integers

let largeNumber: bigint = 9007199254740991n;

null and undefined: Represent null and undefined values

let empty: null = null;

let notAssigned: undefined = undefined;

Enum

Enumerations allow defining a set of named constants

Any

A type that disables type checking and allows any value.

Unknown

let input: unknown = "Hello";

if (typeof input === "string") {

  console.log(input.toUpperCase());

}

Object

let person: { name: string; age: number } = { name: "Alice", age: 30 };

Array - An array can contain elements of a single type or a union of types.

let numbers: number[] = [1, 2, 3];

Public: All the properties and methods declared as public can be accessed from anywhere

Private: All the properties and methods declared as private can be accessed only from inside the definition of the class itself

Protected: All the properties and methods declared as protected can be accessed from inside the definition of the class or the definition of any other class extending the one that owns the property or the method.

Inheritance in TypeScript is a way to create a new class from an existing class. It allows you to reuse, extend, and modify the behavior of the base class (also known as the parent class) in the derived class (also known as the child class). This is achieved using the extends keyword.

Sample code

test.ts

class Parent {

    name: string;

      constructor(name: string) {

      this.name = name;

    }

      greet(): void {

      console.log(`Hello, my name is ${this.name}`);

    }

  }

    class Child extends Parent {

    age: number;

      constructor(name: string, age: number) {

      super(name); // Call the constructor of the parent class

      this.age = age;

    }

      introduce(): void {

      console.log(`I am ${this.name}, and I am ${this.age} years old.`);

    }

  }

   const child = new Child("John", 30);

  child.greet(); // Output: Hello, my name is John

  child.introduce(); // Output: I am Alice, and I am 30 years old.

interface inheritance allows you to create new interfaces that extend existing ones.

Using interface inheritance, an interface can extend multiple interfaces. When doing so, it combines the properties from all the extended interfaces.

Sample code

test.ts

interface InterfaceA {

  propertyA: string;

}

interface InterfaceB {

  propertyB: number;

}

interface CombinedInterface extends InterfaceA, InterfaceB {

  propertyC: boolean;

}

const obj: CombinedInterface = {

  propertyA: "Hi",

  propertyB: 100,

  propertyC: true,

};

Dependency Injection (DI) allows for the injection of services into components, directives, and other services. When multiple providers need to provide the same token (e.g., for extensibility or custom behavior), you can use multi providers.

Multi providers allow multiple providers to be associated with the same token. This is useful when you want to provide an array of values or extend the functionality of a service.

When using multi: true in a provider configuration, Angular collects all the values provided for the same token and creates an array of those values.

Sample code

Create a class file

thing.ts

export class Thing {

    constructor (public someValue: number) { }

  }

injection-token.ts

import { InjectionToken } from '@angular/core';

export const THING = new InjectionToken('THING');

provide multi providers in app.module.ts

import { THING } from './injection-token';

import { Thing } from './thing';

 providers: [

    {

      provide: THING,

      useValue: new Thing(42),

      multi: true,

    },

    {

      provide: THING,

      useValue: new Thing(99),

      multi: true,

    }

  ],

 

app.component.ts

import { Component, Inject } from '@angular/core';

import { Thing } from './thing';

import { THING } from './injection-token';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent  {

  constructor(

    @Inject(THING) things: Array<Thing>

  ) {

    console.log(things.map(t => t.someValue));

  }

}

Run application & check console. you will get 2  values as below.

[

    42,

    99

]

The RouterModule.forChild method is used to define child routes in a module. It is typically used when setting up routing for a feature module. This approach enables lazy loading and modularity in your application by isolating route definitions specific to that module.

In forRoot method,

It Configures root-level routing

Used in the app's root module

Configures router providers

Supports lazy loading indirectly

In forChild method,

Configures child-level routing

Used in feature modules

Designed for lazy-loaded modules

We can create a validator file for this.

here, we are restricting 3 words or words starting from thease words in a form control.

name.validator.ts

import { AbstractControl, ValidatorFn } from "@angular/forms";

export function ForbiddenNameValidator(name: RegExp): ValidatorFn {

  return (control: AbstractControl): { [key: string ]: any } | null => {

    const forbidden = name.test(control.value.toLowerCase());

    return forbidden ? { 'forbiddenName' : { value: control.value }  } : null;

  };

}

Add Formsmodule in app.module.ts

app.component.ts

here we are adding one more restriction, ie, minimum length of 3 and our custom validation conditions created above.

import { Component, VERSION, OnInit } from "@angular/core";

import { FormGroup, FormBuilder, Validators } from "@angular/forms";

import { ForbiddenNameValidator } from "./name.validator";

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent implements OnInit {

  name = "Custom Validator Angular " + VERSION.major;

  form: FormGroup;

  constructor(private fb: FormBuilder) {}

  ngOnInit() {

    this.form = this.fb.group({

      FirstName : ['',[Validators.required,Validators.minLength(3), ForbiddenNameValidator(/admin|test|abc/)]]

    });

  }

  get firstname(){

    return this.form.controls['FirstName'];

  };

}

app.component.html

<div class="container">

          <form [formGroup]="form">

                    <div class="form-group">

                              <input formControlName="FirstName" class="form-control" placeholder="Enter Name">

                              <div *ngIf="firstname.invalid && firstname.touched" class="validation-error">

                                        <div *ngIf="firstname.errors?.required">Name is required.</div>

                                        <div *ngIf="firstname.errors?.minlength">Name must be at least 3 characters long.</div>

                                        <div *ngIf="firstname.errors?.forbiddenName"> {{firstname.errors?.forbiddenName.value}} name not allowed.

                                        </div>

                              </div>

                    </div>

          </form>

</div>

<router-outlet></router-outlet>

The any type is a type-safe escape hatch.

Assigning any essentially disables TypeScript's type-checking for that value. It can hold any value, and you can perform any operation on it without any type errors.Errors can occur at runtime.

The unknown type is a safer alternative to any. It is also a supertype of all other types but requires you to perform type checks or type assertions before performing operations on it.Errors are caught at compile time.

if the strictNullChecks compiler option is explicitly set to true, null and undefined aren't subtypes of all types anymore, so null and undefined become illegal values for all other types.

A union type is a type that can hold one of several defined types. This is useful when a variable, parameter, or return value can represent multiple possible types.

Sample code

test.ts

var stringOrNumber: string | number = "mumbai";

console.log(stringOrNumber);

var stringOrNumber2: string | number = 100;

console.log(stringOrNumber2);

The void type is used to indicate that a function does not return a value.

It is commonly used for functions that perform side effects or actions but do not need to return a result.

The function completes without returning a value

Example

function logMessage(message: string): void {

  console.log(message);

}

The never type is used for functions that never return. This is used when a function either throws an error or goes into an infinite loop.

The function will never complete normally

function throwError(message: string): never {

  throw new Error(message);

}

var :-

var has function scope.

If declared outside any function, var has global scope within the current script.

Variables declared with var can be re-declared within the same scope without any error.

If var is declared in the global scope (outside any function), it becomes a property of the global object.

let :-

Variables declared with let cannot be re-declared within the same scope.

let has block scope, meaning it is limited to the block in which it is declared.

If let is declared in the global scope, it does not become a property of the global object.

The const and readonly both are used to create the variables and properties that can not be re-assigned once they get initialized by some value.

const

The const keyword will not allow to re-assign the value to a variable.

A constant variable must be initialized at the time of the declaration.

The variables defined using the const keyword have the block scope.

readonly

A property defined using readonly must be assigned at the time of declaration or using the constructor function of the class (if it's a class property).

The value of readonly property can not be re-assigned with a new value.

Intersection types in TypeScript allow you to combine multiple types into one, creating a type that has all the properties of the combined types.

Sample code

test.ts

interface Person {

    readonly name: string;

    readonly secondName?: string;

    readonly surname: string;

    }

    interface PhysicalObject {

    weight: number;

    height: number;

    width: number;

    length: number;

    }

    type PhysicalPerson = Person & PhysicalObject;

    let myIntersectionObject = {

        name: "John",

        surname: "Smith",

        weight: 80,

        width: 50,

        height: 170,

        length: 30

        };

        let myPhysicalPerson: PhysicalPerson = myIntersectionObject;

        console.log(myPhysicalPerson.name);

        console.log(myPhysicalPerson.width);

Run & check the console

 A type guard is a technique used to narrow down the type of a variable within a certain scope. It allows you to write safer and more predictable code by ensuring that a variable conforms to a specific type before performing operations on it.

Built-in Type Guards

1.       typeof

Sample code

test.ts

2.       instanceof

Used to check if an object is an instance of a class or constructor function.

Sample Code

class Dog {

    bark() {

        console.log("Woof!");

    }

}

 

class Cat {

    meow() {

        console.log("Meow!");

    }

}

function handleAnimal(animal: Dog | Cat) {

    if (animal instanceof Dog) {

        animal.bark();

    } else {

        animal.meow();

    }

}

const dog = new Dog();

handleAnimal(dog);

Type guards ensure type safety by narrowing types within specific code blocks.

Discriminated unions  are a powerful feature in TypeScript that allow you to define a type that can take on several different shapes, each identified by a unique property.

Sample Code

test,ts

type Shape =

  | { kind: "circle"; radius: number }

  | { kind: "square"; sideLength: number }

  | { kind: "rectangle"; width: number; height: number };

 

function getArea(shape: Shape): number {

  switch (shape.kind) {

    case "circle":

      return Math.PI * shape.radius ** 2;

    case "square":

      return shape.sideLength ** 2;

    case "rectangle":

      return shape.width * shape.height;

    default:

      // Ensures exhaustive checking

      const _exhaustive: never = shape;

      throw new Error(`Unhandled shape kind: ${_exhaustive}`);

  }

}

const myCircle: Shape = { kind: "circle", radius: 5 };

console.log(getArea(myCircle));

In TypeScript, the rest operator (...) is used to gather a variable number of arguments or properties into a single array or object.

Sample code 1:

You can use the rest operator to collect an arbitrary number of arguments into a single array.

function sum(...numbers: number[]): number {

    return numbers.reduce((acc, curr) => acc + curr, 0);

}

console.log(sum(1, 2, 3, 4)); // Output: 10

Sample Code 2

The rest operator can be used to destructure an array.

const [first, second, ...rest] = [1, 2, 3, 4, 5];

console.log(first); // Output: 1

console.log(second); // Output: 2

console.log(rest);   // Output: [3, 4, 5]

Sample 3

You can use with object type also

const [first, second, ...rest] = [1, 2, 3, 4, 5];

console.log(first); // Output: 1

console.log(second); // Output: 2

console.log(rest);   // Output: [3, 4, 5]

The spread operator (...) in TypeScript is a powerful feature used to expand elements of an array, object, or iterable into individual elements.

Sample code - copying an array

const array1 = [1, 2, 3];

const array2 = [...array1];

console.log(array2);

Sample code - merging an array:

const array1 = [1, 2, 3];

const array2 = [4, 5, 6];

const combinedArray = [...array1, ...array2];

console.log(combinedArray);

Sample code for objects

const obj1 = { a: 1, b: 2 };

const obj2 = { ...obj1 }; // { a: 1, b: 2 }

console.log(obj2);

Sample code for merging of object

const obj1 = { a: 1, b: 2 };

const obj2 = { b: 3, c: 4 };

const mergedObj = { ...obj1, ...obj2 };

console.log(mergedObj);

Sample code for function arguments

function calculate(...args)

{

return args;

}

const arr=[34,54,78];

console.log(calculate(...arr));

Array destructuring in TypeScript allows you to extract values from arrays into individual variables.

Sample cope 1

const numbers: number[] = [1, 2, 3];

const [first, second, third] = numbers;

console.log(first);  // 1

console.log(second); // 2

console.log(third);  // 3

Sample code 2

You can skip elements in the array by leaving blank spaces between commas.

const numbers: number[] = [1, 2, 3, 4];

const [first, , third] = numbers;

console.log(first);  // 1

console.log(third);  // 3

Sample code 3

You can use the rest operator (...) to collect the remaining elements in the array.

In TypeScript, tuple destructuring allows you to unpack elements from a tuple into separate variables.

Sample code

function stringToNumber1(s: string): [number, boolean] {

    var res = parseFloat(s);

    if (isNaN(res)) return [0, false];

    else return [res, true];

    }

    let [toShow, ok] = stringToNumber1("5.7")

    if (ok) console.log(toShow)

    else console.log("error")

The object spread syntax allows you to copy properties from one object to another, creating a new object.

Sample code

interface Product {

    name: string;

    price: number;

    description: string

    }

    let laptop: Product = {

    name: "surface pro",

    price: 400,

    description: "test description"

    }

    let quantity = 2;

    let sale = {

    quantity: quantity ,

    ...laptop,

    totalPrice: quantity * laptop.price

    }

        console.log(sale);

It is a function without a name. You can use anonymous functions in various contexts such as function expressions, callbacks, and event handlers.

Sample code 1

let repeatStringUntyped = function (s: string, n: number): string {

    let result = "";

    for (let i = 1; i < n; i++) result +=  ' ' + s;

    return result;

    }

    const finalresult = repeatStringUntyped('john',10);

    console.log(finalresult);

Sample code 2

You can also use arrow functions, which are a more concise form of anonymous functions:

const add = (a: number, b: number): number => {

    return a + b;

};

console.log(add(5, 10));  // Output: 15

Sample code 3

Anonymous functions are often used as callbacks.

setTimeout(function() {

    console.log("Hello after 2 seconds!");

}, 2000);

With an arrow function:

setTimeout(() => {

    console.log("Hello after 2 seconds!");

}, 2000);

In TypeScript, you can define optional arguments in a function by using the ? symbol after the parameter name. This indicates that the parameter is optional, and the function can still be called even if that parameter is not provided.

Sample code

function greet(name: string, age?: number): string {

    if (age) {

      return `Hello, ${name}! You are ${age} years old.`;

    } else {

      return `Hello, ${name}!`;

    }

  }

  console.log(greet("Alice")); // "Hello, Alice!"

  console.log(greet("Bob", 30)); // "Hello, Bob! You are 30 years old."

Function overloading allows you to define multiple function signatures with the same name but different parameter types and/or return types.

Sample code

// Overload Signatures

function greet(name: string): string;

function greet(age: number): string;

// Implementation Signature

function greet(input: string | number): string {

  if (typeof input === 'string') {

    return `Hello, ${input}!`;

  } else if (typeof input === 'number') {

    return `You are ${input} years old!`;

  }

  return 'Invalid input';

}

console.log(greet('Alice')); // Hello, Alice!

console.log(greet(25));      // You are 25 years old!

Constructor overloading refers to the ability to define multiple constructors for a class, each with a different signature.

sample code

class Person {

    name: string;

    age: number;

      // Overloaded constructor signatures

    constructor(name: string);

    constructor(name: string, age: number);

    constructor(name: string, age?: number) {

      this.name = name;

      this.age = age ?? 0; // Default value for age

    }

      describe() {

      console.log(`Name: ${this.name}, Age: ${this.age}`);

    }

  }

    // Using the constructors

  const person1 = new Person("Alice");

  const person2 = new Person("Bob", 30);

    person1.describe(); // Output: Name: Alice, Age: 0

  person2.describe(); // Output: Name: Bob, Age: 30

  Overriding methods refers to the process of defining a method in a subclass that has the same name and signature as a method in the parent class.

Sample code

class Animal {

    makeSound(): void {

      console.log("Some generic animal sound");

    }

  }

    class Dog extends Animal {

    // Overriding the makeSound method

    makeSound(): void {

      console.log("Bark");

    }

  }

    const animal = new Animal();

  animal.makeSound(); // Output: Some generic animal sound

  const dog = new Dog();

  dog.makeSound(); // Output: Bark

In TypeScript, when you have a derived class and you want to call a method or access a member of the base class, you can use the super keyword. The super keyword allows you to invoke methods or access properties from the parent (base) class.

Sample code

class Animal {

    name: string;

      constructor(name: string) {

      this.name = name;

    }

      makeSound(): void {

      console.log(`${this.name} makes a sound`);

    }

  }

    class Dog extends Animal {

    constructor(name: string) {

      super(name);  // Call the base class constructor

    }

      makeSound(): void {

      super.makeSound();  // Call the base class method

      console.log(`${this.name} barks`);

    }

  }

 

  const myDog = new Dog('Buddy');

  myDog.makeSound();

In TypeScript, static members are properties or methods of a class that are shared among all instances of that class. They can be accessed directly via the class name, without creating an instance of the class.

Sample code

class MyClass {

    static staticProperty: string = "This is a static property";

      static staticMethod() {

      console.log("This is a static method");

    }

  }

  console.log(MyClass.staticProperty);

  MyClass.staticMethod();

An abstract class is a class that cannot be instantiated directly. Instead, it serves as a base class for other classes to inherit from. It allows you to define methods that must be implemented in derived classes and can contain properties and methods that are shared among all derived classes.

Sample code

abstract class Animal {

    // Abstract method (does not have implementation)

    abstract makeSound(): void;

      // Regular method with implementation

    move(): void {

      console.log("The animal is moving.");

    }

  }

    class Dog extends Animal {

    // Providing implementation for the abstract method

    makeSound(): void {

      console.log("Bark");

    }

  }

    const dog = new Dog();

  dog.makeSound(); // Output: Bark

  dog.move(); // Output: The animal is moving.

Generic functions allow you to create reusable and flexible functions that can work with any data type. The type of the function’s arguments and return values can be specified at the time of function invocation.

Sample code 1 - with function

function pair<T, U>(first: T, second: U): [T, U] {

    return [first, second];

}

let numberPair = pair(1, "apple"); // Inferred as [number, string]

console.log(numberPair);

let numberPair2 = pair("orange", 100); // Inferred as [number, string]

console.log(numberPair2);

sample code 2 -  Generic Function with Constraints

function lengthOf<T extends { length: number }>(arg: T): number {

    return arg.length;

}

let arrayLength = lengthOf([1, 2, 3]); // Inferred as number

let stringLength = lengthOf("Hello World"); // Inferred as number

console.log(arrayLength);

console.log(stringLength);

sample code 3 - Generic class

class Box<T> {

    value: T;

    constructor(value: T) {

        this.value = value;

    }

    getValue(): T {

        return this.value;

    }

}

const numberBox = new Box(123); // Inferred as Box<number>

const stringBox = new Box("Hello"); // Inferred as Box<string>

console.log(numberBox);

console.log(stringBox);

Sample code - Generic interface

interface Box<T> {

    value: T;

    getValue: () => T;

    setValue: (value: T) => void;

  }

    const stringBox: Box<string> = {

    value: 'Hello, TypeScript!',

    getValue: function () {

      return this.value;

    },

    setValue: function (value: string) {

      this.value = value;

    }

  };

    const numberBox: Box<number> = {

    value: 42,

    getValue: function () {

      return this.value;

    },

    setValue: function (value: number) {

      this.value = value;

    }

  };

   console.log(stringBox.getValue()); // Output: Hello, TypeScript!

  console.log(numberBox.getValue()); // Output: 42

The keyof keyword is used to obtain the type of the keys of an object type.

Sample code - for generic function

function getProperty<T, K extends keyof T>(obj: T, key: K): T[K] {

    return obj[key];

  }

    const person = {

    name: 'Alice',

    age: 30,

  };

    const name = getProperty(person, 'name');  // string

  const age = getProperty(person, 'age');    // number

  console.log(name);

  console.log(age);

They are unique and immutable values, often used for object property keys that should be hidden from the outside world, or to ensure that property names do not collide.

Sample code

const mySymbol1 = Symbol("key1");

const mySymbol2 = Symbol("key2");

let obj = {

  [mySymbol1]: "value1",

  [mySymbol2]: "value2"

};

console.log(Object.getOwnPropertySymbols(obj)); // [ Symbol(key1), Symbol(key2) ]

An iterable is any object that has an @@iterator method, which returns an iterator. An iterator is an object that implements the Iterator interface and provides the ability to iterate over a collection of items.

we can define custom iterables by implementing the Iterable<T> interface:

sample code

class SimpleIterator {

    private current: number;

    private end: number;

    constructor(start: number, end: number) {

        this.current = start;

        this.end = end;

    }

    public next(): IteratorResult<number> {

        if (this.current <= this.end) {

            return { value: this.current++, done: false };

        } else {

            return { value: null, done: true };

        }

    }

}

const iterator = new SimpleIterator(1, 5);

let result = iterator.next();

while (!result.done) {

    console.log(result.value);

    result = iterator.next();

} 

Gnerator functions are a special kind of function that allow you to pause execution and resume it later. They are defined using the function* syntax and use the yield keyword to return values one by one, allowing iteration.

Sample code

function* generatorFunction() {

    yield 1;

    yield 2;

    yield 3;

    yield 4;

    yield 5;

}

 

const generator = generatorFunction();

let result = generator.next();

while (!result.done) {

    console.log(result.value);

    result = generator.next();

}

A WeakMap is a collection of key-value pairs where the keys are objects and the values can be any type.

WeakMap are useful for storing metadata or cache-like structures where the existence of the key-value pair should not prevent the key from being garbage collected.

Sample code

class MyClass {

    constructor(public name: string) {}

  }

    const obj1 = new MyClass("Alice");

  const obj2 = new MyClass("Bob");

    const weakMap = new WeakMap<object, string>();

    // Adding key-value pairs

  weakMap.set(obj1, "Data associated with Alice");

  weakMap.set(obj2, "Data associated with Bob");

 

  // Retrieving values using keys

  console.log(weakMap.get(obj1)); // Output: Data associated with Alice

  console.log(weakMap.get(obj2)); // Output: Data associated with Bob

 

  // Checking if a key exists

  console.log(weakMap.has(obj1)); // Output: true

 

  // Removing a key-value pair

  weakMap.delete(obj1);

  console.log(weakMap.has(obj1)); // Output: false

Both Map and WeakMap are used to store key-value pairs.

Map

The keys can be of any type.

The keys and values are not garbage-collected. If there are no references to the Map object, the memory it occupies is not automatically freed.

The Map object has a size property that returns the number of key-value pairs in the map.

Map objects are iterable.

WeakMap

The keys must be objects. You cannot use primitive values.

The keys are weakly referenced.

The WeakMap does not have a size property

WeakMap objects are not iterable. You cannot use forEach or any other iteration method to access the entries.

TypeScript provides two powerful collection classes called Set and WeakSet, which allow you to work with unique sets of values in your code.

Sets

A Set is a collection that is similar to maps, but it only stores unique keys and does not store key-value pairs. The Set object allows you to store unique values of any type, including primitive values or object references.

Sets are useful when you need to maintain a collection of unique elements or when you want to quickly check if a value already exists in a collection without worrying about duplicates.

Sample code 1

let country = new Set().add('Germany').add('Aus').add('Uk');

const result = country.has("Aus");//true

console.log(result);

WeakSet

TypeScript WeakSet is a collection that holds unique objects. It is similar to a Set, but it can only contain objects and nothing else. The main feature of a WeakSet is that if an object stored in it has no other reference variables, it will automatically be deleted or garbage collected.

Sample code

class Book

{  

    constructor(public title: string) {}

} 

 

let weakSet = new WeakSet();  // Create book objects

let book1 = new Book("Storm under sea");

let book2 = new Book("The Citadel");

let book3 = new Book("Promises"); 

 

// Add book objects to the WeakSet

weakSet.add(book1);

weakSet.add(book2); 

 

// Check if book objects exist in the WeakSet

console.log(weakSet.has(book1)); // Output: true

console.log(weakSet.has(book2)); // Output: true

console.log(weakSet.has(book3)); // Output: false

 

// Remove a book object from the WeakSet

weakSet.delete(book2); 

 

// Check if book objects exist after deletion

console.log(weakSet.has(book1)); // Output: true

console.log(weakSet.has(book2)); // Output: false

console.log(weakSet.has(book3)); // Output: false

In an XSRF attack, a hacker forces the user to submit a request to a website where they are already authenticated with an authentication cookie.

The HttpClientXsrfModule is used to configure Angular's HTTP client (HttpClient) to automatically include an XSRF token in the headers of outgoing requests.

The HttpClientXsrfModule automatically adds an interceptor for your HTTP requests. The interceptor grabs the CSRF token from a session cookie named XSRF-TOKEN and adds the token value to outgoing requests in the HTTP header named X-XSRF-TOKEN .

To enable HttpClientXsrfModule,

in app.module.ts,

import { HttpClientModule, HttpClientXsrfModule } from '@angular/common/http';

imports: [

    HttpClientModule,

    HttpClientXsrfModule.withOptions({

      cookieName: 'XSRF-TOKEN', // Name of the cookie that contains the token

      headerName: 'X-XSRF-TOKEN', // Name of the header to include the token

    }),

  ],

When the application sends a request to the server, Angular's HttpClient checks for a cookie named XSRF-TOKEN (or whatever name is configured).

If the cookie exists, its value is included as a header (X-XSRF-TOKEN by default) in outgoing requests.

The server validates this token to ensure the request is legitimate.

The pathMatch: 'full' property is used in routing to determine how the URL path should be matched against a specific route.

It specifies that the entire URL path must match the specified path for the route to be activated.

{ path: '', redirectTo: '/home', pathMatch: 'full' }

here, When the URL is exactly '' (empty path), it will redirect to /home.

the pathMatch: 'prefix' configuration is used in routing to match a route if the beginning of the URL matches the specified path. This is the default behavior for Angular routes.

 path: 'user',

    loadChildren: () => import('./user/user.module').then(m => m.UserModule)

Here user or user/profile will work.

No, TypeScript types only exist at compilation time

In TypeScript, a variable that has not been declared is automatically a global variable. This means that it can be accessed from anywhere in the program.

False. Strings are allowed to have null values only if the strictNullChecks compiler option is false.

A type is used to define the shape or structure of data.

Sample code

type User = {

  id: number;

  name: string;

  isActive: boolean;

};

You can use this type for variables, function parameters, or return values.

Type in a Variable

const user: User = {

  id: 1,

  name: "John Doe",

  isActive: true,

};

Type in a function

function greet(user: User): string {

  return `Hello, ${user.name}!`;

}

console.log(greet(user));

You can use a union to combine multiple types.

function greet(user: User): string {

  return `Hello, ${user.name}!`;

}

You can use a union to combine multiple types.

type ID = number | string;

type Address = {

  street: string;

  city: string;

};

 

type Employee = User & Address;

 

const employee: Employee = {

  id: 2,

  name: "Jane Doe",

  isActive: true,

  street: "123 Main St",

  city: "Metropolis",

};

the noImplicitAny compiler option ensures that you explicitly annotate types rather than having the TypeScript compiler infer them as any.

To enable it,

{

  "compilerOptions": {

    "noImplicitAny": true

  }

}

When noImplicitAny is enabled, TypeScript will report errors for variables, function parameters, and returns without explicit types.

if strict is true, the following options will be true together.

strictNullChecks

noImplicitAny

noImplicitThis

alwaysStrict

strictFunctionTypes

strictBindCallApply

strictPropertyInitialization

useUnknownInCatchVariables

strictNullChecks is a TypeScript compiler option that enforces strict null and undefined checking in your code. When enabled, it ensures that variables are not assigned null or undefined unless explicitly allowed.

 a void function is one that does not return a value.

sample code 1

function logMessage(message: string): void {

    console.log(message);

}

logMessage("Hello, TypeScript!");

sample code 2

function sayHello(name: string) {

    console.log(`Hello, ${name}!`);

}

sample code 3

function processArray(numbers: number[], callback: (num: number) => void): void {

    for (const num of numbers) {

        callback(num);

    }

}

processArray([1, 2, 3], (n) => console.log(n));

A void function doesn’t return anything.

A function returning undefined explicitly returns the undefined value.

No. but you can simulate them using a combination of interface inheritance and public class constructors that prevent further extension.

assert functions are used to narrow down or refine types at runtime. These functions ensure certain conditions or types are met, throwing errors if they are not.

Sample code

function assertIsString(value: unknown): asserts value is string {

   

    if (typeof value !== "string") {

        throw new Error("Value is not a string");

    }

  }

    const value: unknown = "hello";

    assertIsString(value);

  console.log(value.toUpperCase()); // Safe

  var score1:number = 50;

  assertIsString(score1);

Sample code

const numbers: number[] = [1, 2, 3, 4, 5];

numbers.forEach((num, index) => {

  console.log(index, num);

});

const tuple: [string, number, boolean] = ['hello', 42, true];

tuple.forEach((item, index) => {

  console.log(`Index ${index}: ${item}`);

});

What are the difference between array and tuple in typescript ?

Array

An array is a collection of elements of the same type, but it can also hold values of different types if explicitly defined (e.g., Array<number | string>).

In an array, all elements must have the same type, unless explicitly stated otherwise.

Arrays are flexible in length, meaning elements can be added or removed at any time.

Tuple

A tuple is a fixed-length array where each element can have a different type. Tuples are used when you want to represent a collection of items where each item has a specific type and position.

Each element in a tuple can be of a different type, and the length of a tuple is fixed once defined.

Tuples are not as flexible as arrays because the length and types of elements are predetermined.

Array

An array is a collection of elements of the same type, but it can also hold values of different types if explicitly defined (e.g., Array<number | string>).

In an array, all elements must have the same type, unless explicitly stated otherwise.

Arrays are flexible in length, meaning elements can be added or removed at any time.

Tuple

A tuple is a fixed-length array where each element can have a different type. Tuples are used when you want to represent a collection of items where each item has a specific type and position.

Each element in a tuple can be of a different type, and the length of a tuple is fixed once defined.

Tuples are not as flexible as arrays because the length and types of elements are predetermined.

A factory function is a function that creates and returns an object or instance.

Sample code

class Car {

    constructor(public make: string, public model: string) {}

      drive() {

      console.log(`${this.make} ${this.model} is driving!`);

    }

  }

    function createCar(make: string, model: string): Car {

    return new Car(make, model);

  }

    const myCar = createCar("Tesla", "Model 3");

  myCar.drive(); // Tesla Model 3 is driving!

  In this case, the createCar function returns an instance of the Car class.

Factory functions are useful for maintaining separation of concerns and encapsulating object creation logic.

Read-only properties can be defined in an interface or a class to prevent modification of the property's value after it has been assigned.

Sample code

class Employee {

    readonly id: number;

    readonly name: string;

      constructor(id: number, name: string) {

      this.id = id;

      this.name = name;

    }

  }

    const employee = new Employee(1, 'Alice');

    // employee.id = 2; // Error: Cannot assign to 'id' because it is a read-only property

Interfaces are used to define the structure of objects, including the properties and methods that an object can have. Interfaces provide a way to enforce the shape of an object, ensuring that objects adhere to a specific structure.

You can define a static method on a generic class by specifying the generic type within the class and using it in the static method.

Sample code

class MyClass<T> {

    static staticMethod<U>(value: U): U {

      console.log(value);

      return value;

    }

      instanceMethod(value: T): T {

      console.log(value);

      return value;

    }

  }

    // Usage of the static method

  const result = MyClass.staticMethod<number>(42);  // Output: 42

    // Usage of the instance method

  const myClassInstance = new MyClass<string>();

  const instanceResult = myClassInstance.instanceMethod("Hello");  // Output: Hello

 

you can make properties optional in an interface by adding a ? after the property name. This means that the property may or may not be present in objects that conform to the interface.

Sample code

interface User {

  name: string;        // Required property

  age?: number;        // Optional property

  email?: string;      // Optional property

}

const user1: User = { name: "Alice" };  // Valid, age and email are optional

const user2: User = { name: "Bob", age: 30, email: "bob@example.com" };  // Valid

Sample code

interface Calculator {

    (a: number, b: number): number;

  }

    const add: Calculator = (a, b) => a + b;

  const subtract: Calculator = (a, b) => a - b;

    console.log(add(5, 3)); // Output: 8

  console.log(subtract(5, 3)); // Output: 2

Sample code 1

interface NumberArray {

    [index: number]: number;

  }

    const numbers: NumberArray = [1, 2, 3, 4];

  console.log(numbers);

sample code 2

interface ArrayLikeObject {

  length: number;

  [index: number]: string;

}

const arrLike: ArrayLikeObject = {

  length: 3,

  0: "apple",

  1: "orange",

  2: "banana",

};

A hybrid type interface refers to an interface that can describe objects that have multiple types of members.

Sample code

interface Hybrid {

    name: string;

    age: number;

    greet: (message: string) => void;

  }

    const person: Hybrid = {

    name: 'John Doe',

    age: 30,

    greet: (message) => {

      console.log(`${message}, my name is ${person.name}`);

    }

  };

    person.greet('Hello'); // Output: Hello, my name is John Doe

 One of the way is to use cryptographic library like crypto-js.

Install it using command

npm install crypto-js

Create a service file -  CryptoService.ts

import { Injectable } from '@angular/core';

import * as CryptoJS from 'crypto-js';

 

@Injectable({

  providedIn: 'root',

})

export class CryptoService {

  private secretKey = 'your-secret-key'; // Replace with your key (ensure it is kept secure)

 

  // Encrypt data

  encrypt(data: string): string {

    return CryptoJS.AES.encrypt(data, this.secretKey).toString();

  }

  // Decrypt data

  decrypt(encryptedData: string): string {

    const bytes = CryptoJS.AES.decrypt(encryptedData, this.secretKey);

    return bytes.toString(CryptoJS.enc.Utf8);

  }

}

Use the service in our component. (app.component.ts)

import { Component } from '@angular/core';

import { CryptoService } from './crypto.service';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  encryptedText: string = '';

  decryptedText: string = '';

  constructor(private cryptoService: CryptoService) {}

  encryptData() {

    const data = 'Hello, Angular!';

    this.encryptedText = this.cryptoService.encrypt(data);

    console.log('Encrypted Text:', this.encryptedText);

  }

  decryptData() {

    this.decryptedText = this.cryptoService.decrypt(this.encryptedText);

    console.log('Decrypted Text:', this.decryptedText);

  }

}

app.component.html

<div>

  <button (click)="encryptData()">Encrypt</button>

  <button (click)="decryptData()">Decrypt</button>

  <p>Encrypted: {{ encryptedText }}</p>

  <p>Decrypted: {{ decryptedText }}</p>

</div>

Change detection is the process of detecting any internal state changes in a model or component

class and then reflect them back to the view, mainly by manipulating DOM.

The application state changes happen either from model to view or vice versa.

Sample code

app.componnent.html

 

<button (click)="toggleUser()"> Toggle User </button>

<div *ngIf="isLoggedIn">

<b>Hello Packt Author</b>

</div>

<div *ngIf="!isLoggedIn">

<b>Hello Guest user</b>

app.component.ts

import { Component } from "@angular/core";

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent  {

  title = 'Change Detection';

  isLoggedIn = true;

  toggleUser(){

  if (this.isLoggedIn)

  this.isLoggedIn = false

  else

  this.isLoggedIn = true

  }

  }

NgZone is a service that helps manage and optimize the execution of code within and outside of Angular's zone.js. It plays a crucial role in detecting and triggering Angular's change detection mechanism.

It tracks all the completed asynchronous actions and notifies them with a onTurnDone event.

OnPush reduces the number of change detection cycles that Angular runs.

Angular doesn't have to traverse the entire component tree structure for detecting individual changes on properties.

Angular detects changes only when the reference of an input changes.

The framework processes fewer components during a single change detection cycle, enabling better responsiveness as the application grows.

The Observer Pattern is a design pattern commonly used in Angular to manage communication between different parts of an application.

The Observable pattern is one that allows an object, called subject, to keep track of other

objects, called observers, interested in the subject state. When the subject state changes, it notifies its observers about it.

Features of observable pattern

Observable: Represents a stream of data or events that can be observed over time.

Observer: Consumes the data or reacts to the events emitted by the observable.

Subscription: Establishes the connection between the observable and the observer.

Subject: A special type of observable that allows values to be multicasted to multiple observers. Subjects act as both an observable and an observer.

How to parameterize the pipes in Angular ?

It refers to passing arguments or parameters to a pipe, allowing it to dynamically process and transform data.

Sample code

create a custom pipe to accept parameters

custom.pipe.ts

import { Pipe, PipeTransform } from '@angular/core';

 

@Pipe({

  name: 'multiply'

})

export class MultiplyPipe implements PipeTransform {

  transform(value: number, multiplier: number = 1): number {

    return value * multiplier;

  }

}

 Use the Custom Pipe in Templates

{{ 5 | multiply:3 }}   // output will be 15

 

Angular pipes are used to format and transform data directly within the template, and you can chain multiple pipes together to apply multiple transformations.

Sample code

app.component.ts

today: Date = new Date();

app.component.html

<p>{{ today | date:'longDate' | uppercase | slice:0:10 }}</p>

 

 

 

method 1

You can directly create key-value pairs within an object literal:

const myObject = {

  key1: "value1",

  key2: 42,

  key3: true,

};

console.log(myObject.key1); // Output: "value1"

method 2

You can dynamically add key-value pairs to an object:

const myObject: { [key: string]: any } = {};

myObject["key1"] = "value1";

myObject["key2"] = 42;

console.log(myObject); // Output: { key1: 'value1', key2: 42 }

JSON.stringify is used to convert a JavaScript object, array, or other value into a JSON string.

sample code

interface User {

  id: number;

  name: string;

  isActive: boolean;

}

const user: User = {

  id: 1,

  name: "JohnSmith",

  isActive: true,

};

const jsonString: string = JSON.stringify(user);

console.log(jsonString); // Output: {"id":1,"name":"JohnSmith","isActive":true}

class User {

  constructor(public id: number, public name: string, private password: string) {}

  toJSON() {

    return {

      id: this.id,

      name: this.name,

      // Exclude `password` from the JSON output

    };

  }

}

const user = new User(1, "Bob", "secret");

const jsonString = JSON.stringify(user);

console.log(jsonString); // '{"id":1,"name":"Bob"}'

It involves writing a function that allows you to replace specific values or patterns within a JSON object.

Sample code

type ReplacerFunction = (key: string, value: any) => any;

const data = {

  name: "John Doe",

  age: 25,

  address: {

      city: "New York",

      postalCode: "10001",

  },

  hobbies: ["reading", "cycling", "coding"],

};

function replaceInJson<T>(data: T, replacer: ReplacerFunction): T {

  function recursiveReplace(obj: any): any {

      if (Array.isArray(obj)) {

          return obj.map(recursiveReplace);

      } else if (obj && typeof obj === "object") {

          return Object.fromEntries(

              Object.entries(obj).map(([key, value]) => [

                  key,

                  recursiveReplace(replacer(key, value)),

              ])

          );

      }

      return obj;

  }

  return recursiveReplace(data);

}

// Define a replacer function

const replacer: ReplacerFunction = (key, value) => {

  if (typeof value === "string" && value.includes("New York")) {

      return value.replace("New York", "San Francisco");

  }

  if (key === "age" && typeof value === "number") {

      return value + 1; // Increment age by 1

  }

  return value;

};

const updatedData = replaceInJson(data, replacer);

console.log(updatedData);

Example 1

var JSONtext= '{"name":"John","age":46,"Pets":[{"name":"Waverly","age":3.5},{"name":"Westley","age":4}]}';

var author = JSON.parse( JSONtext );

console.log( author);

Example 2

you can do Validation while parsing.

interface User {

  name: string;

  age: number;

}

const isValidUser = (data: any): data is User => {

  return data && typeof data.name === 'string' && typeof data.age === 'number';

};

const jsonString = '{"name": "Alice", "age": 25}';

try {

  const parsedData = JSON.parse(jsonString);

  if (isValidUser(parsedData)) {

    console.log(parsedData.name); // Alice

    console.log(parsedData.age); // 25

  } else {

    console.error("Invalid data structure");

  }

} catch (error) {

  console.error("Invalid JSON", error);

}

Integration with RxJS

Cleaner Code:

Ability to use Interceptors for adding authentication headers, handle logging, or process errors globally.

Built-in Error Handling

A transpiler basically converts any specific language to JavaScript. Typescript transpiler is one, which converts Typescript code to JavaScript.

The CommonModule is one of the most frequently used modules, especially in feature modules. It provides many commonly used directives, pipes, and services that are fundamental for building Angular applications.

It includes Common Directives,Common Pipes and Using in feature modules.

It also used for services like those used for localization and date formatting.

What are the difference Between BrowserModule and CommonModule ?

BrowserModule includes everything in CommonModule and additional features for running Angular apps in a browser.

BrowserModule should only be imported in the root module (AppModule).

CommonModule should be imported in all feature modules instead.

It allows you to perform cleanup logic when a component, directive, or service is destroyed. This is particularly useful for unsubscribing from observables, detaching event listeners, and cleaning up resources to prevent memory leaks.

Sample code

import { Component, OnDestroy } from '@angular/core';

import { Subscription } from 'rxjs';

import { DataService } from './data.service';

 

@Component({

  selector: 'app-example',

  template: `<p>Example Component</p>`,

})

export class ExampleComponent implements OnDestroy {

  private dataSubscription: Subscription;

 

  constructor(private dataService: DataService) {

    this.dataSubscription = this.dataService.getData().subscribe(data => {

      console.log('Data received:', data);

    });

  }

  ngOnDestroy(): void {

    // Unsubscribe to prevent memory leaks

    if (this.dataSubscription) {

      this.dataSubscription.unsubscribe();

    }

    console.log('ExampleComponent destroyed');

  }

}

It is  used to manage subscriptions and prevent memory leaks by automatically unsubscribing when a specified condition is met.

The takeUntil operator emits values from the source observable until another observable emits a value. At that point, it completes the subscription.

Sample code

import { Component, OnInit, OnDestroy } from '@angular/core';

import { Subject } from 'rxjs';

import { takeUntil } from 'rxjs/operators';

import { SomeService } from './some.service';

 

@Component({

  selector: 'app-example',

  templateUrl: './example.component.html',

})

export class ExampleComponent implements OnInit, OnDestroy {

  private destroy$ = new Subject<void>();

  constructor(private someService: SomeService) {}

  ngOnInit(): void {

    this.someService.getData()

      .pipe(takeUntil(this.destroy$))

      .subscribe(data => {

        console.log('Received data:', data);

      });

  }

  ngOnDestroy(): void {

    this.destroy$.next();

    this.destroy$.complete();

  }

}

TranslateService in Angular is a part of the ngx-translate library, which is a popular solution for internationalization (i18n) in Angular applications. It helps manage translations and provides mechanisms to dynamically switch languages at runtime.

sample code

steps

first install ngx-translate library

npm install @ngx-translate/core @ngx-translate/http-loader

update app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppRoutingModule } from './app-routing.module';

import { AppComponent } from './app.component';

import { HttpClient, HttpClientModule } from '@angular/common/http';

import { TranslateModule, TranslateLoader } from '@ngx-translate/core';

import { TranslateHttpLoader } from '@ngx-translate/http-loader';

export function createTranslateLoader(http: HttpClient) {

  return new TranslateHttpLoader(http, './assets/i18n/', '.json');

}

@NgModule({

  declarations: [

    AppComponent

  ],

  imports: [

    BrowserModule,

    AppRoutingModule,

    HttpClientModule,

    TranslateModule.forRoot({

      loader: {

        provide: TranslateLoader,

        useFactory: (createTranslateLoader),

        deps: [HttpClient],

      },

      defaultLanguage: 'en-US',

    }),

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

Create a folder called i18n in assets folder and create 2 subfolders inside it.

en-US.json   // for English

{

    "hello": "Hello, {{name}}!"

  }

pt-BR.json  // for Portugese

{

    "hello": "Olá, {{name}}!"

  }

app.component.ts

import { Component } from '@angular/core';

import { TranslateService } from '@ngx-translate/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

 

  constructor(public translateService: TranslateService) {

  }

  public changeLanguage(language: string): void {

    this.translateService.use(language);

  }

}

app.component.html

<div class="container-fluid py-3">

  <h1>Angular Internationalization (i18n)</h1>

    <div class="btn-group btn-group-sm py-5">

    <button type="button" class="btn btn-sm btn-outline-secondary" (click)="changeLanguage('en-US')" [class.active]="translateService.currentLang !== 'pt-BR'">English</button>

    <button type="button" class="btn btn-sm btn-outline-secondary" (click)="changeLanguage('pt-BR')" [class.active]="translateService.currentLang === 'pt-BR'">Português</button>

  </div>

    <h3>{{ "hello" | translate: { name: "Angular" } }}</h3>

  </div>

Run the application.

The HttpEventType is an enumeration that represents the various types of events that can occur during an HTTP request

HttpEventType.Sent

Indicates that the request has been sent to the server. No response has been received yet.

HttpEventType.UploadProgress

Indicates the progress of an upload. Contains information about the number of bytes uploaded.

HttpEventType.ResponseHeader

Indicates that the response status and headers have been received from the server.

HttpEventType.DownloadProgress

Indicates the progress of a download. Contains information about the number of bytes downloaded.

HttpEventType.Response

Indicates that the full response, including the body, has been received.

 

In order to  manually manipulate the DOM only on the browser side, for example to get coordinates or block sizes, we can use these afterRender and afterNextRender functions.

The afterNextRender hook takes a callback function that runs once after the subsequent change detection cycle. Mostly, afterNextRender is ideal for performing one-time initializations, such as integrating third-party libraries or utilizing browser-specific APIs.

Both functions accept a callback that will be launched after the next change detection cycle is completed.

Sample code

import { Component, afterNextRender, afterRender } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  constructor() {

    afterNextRender(() => {

          console.log('One-time initialization afterNextrender ');

    });

    afterRender(() => {

     

      console.log(' afterrender ');

    });

  }

  }

It is a lifecycle hook in Angular. It is invoked after the Angular framework has fully checked the component's view and any child views.

It runs after the view (and child views) have been updated and checked.

It is triggered every time change detection runs, after changes in the DOM are applied.

Sample code

app.component.ts

import { Component, AfterViewChecked } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements AfterViewChecked {

  message: string = 'Hello, Angular!';

  // Triggered after the view has been checked

  ngAfterViewChecked(): void {

    console.log('ngAfterViewChecked triggered');

  }

  updateMessage(): void {

    this.message = 'Message updated!';

  }

}

app.component.hmtl

<div>

  <h1>AfterViewChecked Example</h1>

  <p>{{ message }}</p>

  <button (click)="updateMessage()">Update Message</button>

</div>

 

Renderer2 is a service provided by Angular that allows you to manipulate the DOM in a safe and platform-agnostic way.

Sample code

app.component.html

<div>Good Morning</div>

<div>Hello World</div>

app.component.ts

import { Component, Renderer2, ElementRef, AfterViewInit } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  implements AfterViewInit {

  constructor(private renderer: Renderer2, private el: ElementRef) {}

  ngAfterViewInit() {

    const divElement = this.el.nativeElement.querySelector('div');

    this.renderer.setStyle(divElement, 'color', 'red');

  }

}

Here, you can see only first element became red, because we have used querySelector.

State management in Angular is crucial for maintaining and synchronizing data across components efficiently.

1.       Component-Level State Management

It involves storing data within individual components. Each component has its own state, and data is passed down through the component hierarchy using input and output bindings.

2.       Service-Based State Management

Use Angular services (@Injectable) to manage shared state across components. Services are singleton by default, making them ideal for shared state.

3.       RxJS-Based State Management

 Use RxJS (Reactive Extensions for JavaScript) to create reactive state management systems. This approach leverages BehaviorSubject, Subject, and operators like map, switchMap, etc.

4.       NgRx (Redux Pattern)

NgRx is a state management library for Angular based on the Redux pattern. It uses a centralized store, actions, reducers, and effects to manage state.

5.       Akita

Akita is a state management library for Angular applications. It provides a simple and scalable way to manage application state using a store-based architecture.

6.       Component Store

A Component Store is a lightweight state management solution designed for managing local component state in a scalable and reactive way.

In Angular, ComponentRef is a class that represents a reference to an instance of a component. It provides access to the component instance, the host view, and the injector associated with the component. ComponentRef is typically used when dynamically creating components at runtime.

Sample code

Create a component - Dynamic component

dynamic.component.ts

import { Component, Input, EventEmitter, Output } from '@angular/core';

@Component({

  selector: 'app-dynamic',

  templateUrl: './dynamic.component.html',

  styleUrls: ['./dynamic.component.css']

})

export class DynamicComponent {

  @Input() type: string = "success";

  @Output() output = new EventEmitter();

}

dynamic.component.html

<h1 (click)="output.next('output')">Alert {{type}}</h1>

app.component.ts

import {Component, NgModule,Input,ComponentFactory,ComponentRef, ComponentFactoryResolver, ViewContainerRef, ChangeDetectorRef, TemplateRef, ViewChild, Output, EventEmitter} from '@angular/core'

import {BrowserModule} from '@angular/platform-browser';

import { DynamicComponent } from './dynamic/dynamic.component';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  @ViewChild("alertContainer", { read: ViewContainerRef }) container;

  componentRef: ComponentRef<any>;

  constructor(private resolver: ComponentFactoryResolver) {}

   createComponent(type) {

     this.container.clear();

     const factory: ComponentFactory<any> = this.resolver.resolveComponentFactory(DynamicComponent);

      this.componentRef = this.container.createComponent(factory);

       this.componentRef.instance.type = type;

      this.componentRef.instance.output.subscribe(event => console.log(event));

    }

        ngOnDestroy() {

       this.componentRef.destroy();   

     }

 }

 app.component.html

<template #alertContainer></template>

<button (click)="createComponent('success')">Create success alert</button>

<button (click)="createComponent('danger')">Create danger alert</button>

provideHttpClient is a function from @angular/common/http used to provide the HttpClient service in standalone  application or module.

provideHttpClient is typically used in the providers array of an Angular application or module when setting up the application in a standalone or modular way.

HttpSentEvent is one of the events emitted by the HttpClient when making HTTP requests while using the HttpClient's observe: 'events' option.

Sample code

app.component.ts

import { HttpClient, HttpEvent, HttpEventType } from '@angular/common/http';

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  constructor(private http: HttpClient) {}

  makeRequest() {

    this.http.get('https://jsonplaceholder.typicode.com/posts', { observe: 'events' })

      .subscribe((event: HttpEvent<any>) => {

        switch (event.type) {

          case HttpEventType.Sent:

            console.log('Request has been sent to the server.');

            break;

          case HttpEventType.Response:

            console.log('Response received:', event.body);

            break;

          default:

            console.log('Other event:', event);

        }

      });

  }

  }

app.component.html

<button class="btn btn-primary"

(click)="makeRequest()">

Call API

</button>

JsonInterceptor is typically used to automatically transform HTTP responses into JSON format. This can be helpful when working with APIs that return plain text, XML, or improperly formatted JSON.

Sample code

Create an interceptor - json.interceptor.ts

import { Injectable } from '@angular/core';

import { HttpEvent, HttpInterceptor, HttpHandler, HttpRequest, HttpResponse } from '@angular/common/http';

import { Observable } from 'rxjs';

import { map } from 'rxjs/operators';

 

@Injectable()

export class JsonInterceptor implements HttpInterceptor {

  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {

    return next.handle(req).pipe(

      map(event => {

        console.log("event is working");

                if (event instanceof HttpResponse && typeof event.body === 'string') {

          try {

            console.log("json interceptor is working");

            return event.clone({ body: JSON.parse(event.body) });

          } catch (error) {

            console.warn('Response is not valid JSON:', event.body);

          }

        }

        return event;

      })

    );

  }

}

Provide the Interceptor in the Module

providers: [

    {

      provide: HTTP_INTERCEPTORS,

      useClass: JsonInterceptor,

      multi: true

    }

  ],

The interceptor listens for HTTP responses.

If the response body is a string, it tries to parse it as JSON.

If parsing fails, it logs a warning but does not modify the response.

In Angular, the ActivationStart and ActivationEnd events are part of the Angular Router lifecycle events and are triggered when a route is activated or deactivated.

ActivationStart

This event is fired when a new route is being activated.

It occurs before the route's component is instantiated.

It contains an instance of the ActivatedRouteSnapshot, which holds route information

ActivationEnd

This event is fired when a route activation is fully completed.

It occurs after the component has been instantiated.

Sample Code

Create 3 components - Home,About,NotFound

home.component.html

  <h1>Home</h1>

about.component.html

<h1>about works!</h1>

not-found.component.html

<h1>

    <p>not-found works!</p>

</h1>

app.component.ts

import { Component, OnInit, OnDestroy } from '@angular/core';

import { Router, ActivationStart, ActivationEnd } from '@angular/router';

import { filter, takeUntil } from 'rxjs/operators';

import { Subject } from 'rxjs';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent   {

  constructor(private router: Router) {

    this.router.events.subscribe(event => {

      if (event instanceof ActivationStart) {

        console.log('Route ActivationStart:', event);

        console.log('ActivationStart:', event.snapshot.routeConfig?.path);

      }

 

      if (event instanceof ActivationEnd) {

        console.log('Route ActivationEnd:', event);

        console.log('ActivationEnd:', event.snapshot.routeConfig?.path);

      }

 

    });

  }

 }

app.component.html

<div class="container">

  <a routerLinkActive="active"

     routerLink="/home">Home</a> |

  <a routerLinkActive="active"

     routerLink="/about">About</a> |

  <a routerLinkActive="active"

    routerLink="/notfound">NotFound</a>

    <router-outlet></router-outlet>

</div>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { FormsModule } from '@angular/forms';

import { HttpClientModule } from '@angular/common/http';

import { AppComponent } from './app.component';

import { AppRoutingModule } from './app-routing.module';

 

 

@NgModule({

  declarations: [

AppComponent,

           ],

     imports: [

      AppRoutingModule,

      BrowserModule, FormsModule, HttpClientModule

    ],

    bootstrap: [AppComponent]

})

export class AppModule { }

app-routing.module.ts

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './home/home.component';

import { AboutComponent } from './about/about.component';

import { NotFoundComponent } from './not-found/not-found.component';

 

@NgModule({

  declarations: [

    HomeComponent, AboutComponent, NotFoundComponent

  ],

  imports: [

    RouterModule.forRoot([

      { path: 'home', component: HomeComponent },

      { path: 'about', component: AboutComponent },

      { path: 'notfound', component: NotFoundComponent },

      { path: '**', redirectTo: 'login' }

    ])

  ],

  exports: [RouterModule]

})

export class AppRoutingModule { }

PreloadingStrategy is used to determine how lazy-loaded modules are preloaded in the background after the application has been bootstrapped. This helps improve performance by ensuring essential modules are available before the user navigates to them.

They balance performance and resource usage by loading critical modules first and non-critical ones later.

Types of Preloading Strategies

NoPreloading (Default)

Lazy-loaded modules are loaded only when the user navigates to them.

In app-routing.module.ts

RouterModule.forRoot(routes, { preloadingStrategy: NoPreloading })

PreloadAllModules

Loads all lazy-loaded modules in the background immediately after the app starts.

RouterModule.forRoot(routes, { preloadingStrategy: PreloadAllModules })

Custom Preloading Strategy

You can create a custom strategy to selectively preload specific modules.

Use PreloadAllModules for small apps with multiple lazy-loaded modules.

CanActivateFn is a functional guard introduced in Angular 15 as an alternative to the class-based CanActivate interface. It determines whether a route can be activated (navigated to) before the user accesses it.

A CanActivateFn is a simple function that returns a boolean (true or false) or an Observable<boolean>/Promise<boolean> to decide if a user can access a route.

Since CanActivateFn is just a function, it doesn’t use dependency injection directly. However, Angular provides an inject() function to get services inside it.

When to Use CanActivateFn

If you want a simpler, functional approach.

If You want to avoid creating multiple guard classes.

If you need lightweight dependency injection using inject().

It is a router guard function used to determine whether the child routes of a specific route can be activated.

It is a functional alternative to the traditional CanActivateChild interface, which was implemented in services.

It is used to control access to child routes.

It can return a boolean, an Observable, or a Promise.

It is easier to use and works well in Angular’s standalone API.

It is a self-contained component that does not depend on an NgModule. It can be used directly without being declared in a module, simplifying the module system.

To create a stand alone component,

ng generate component my-component --standalone

or to convert an existing component, you can use

 selector: 'app-my-component',

  standalone: true,  // Marks this as a standalone component

  template: `<h1>Hello from Standalone Component!</h1>`,

  styles: [`h1 { color: blue; }`]

In order to use a Standalone Component in Another Component,  you need to import them explicitly in other components that use them.

import { MyComponent } from './my-component';

@Component({

  selector: 'app-root',

  standalone: true,

  imports: [MyComponent],  // Importing the standalone component

  template: `<app-my-component></app-my-component>`,

})

export class AppComponent { }

You can also use standalone components in Angular routing without declaring them inside an NgModule.

import { Routes } from '@angular/router';

import { MyComponent } from './my-component';

 

const routes: Routes = [

  { path: 'my-component', component: MyComponent }  // Directly use standalone component

];

A standalone component can still use services, pipes, and directives by importing them in the imports array or using providers for services.

 

When to Use Standalone Components :-

 To  avoid unnecessary module declarations.

To use a highly reusable and self-contained component.

If  you want a more modern and modular Angular architecture.

Angular It follows a component-based architecture and is widely used for building single-page applications.

1. Modules (NgModules)

Root Module: AppModule bootstraps the app using @NgModule, declaring components, directives, pipes, and services.

Feature Modules: Organize code by domain (e.g., UserModule, ProductModule). Can be lazy-loaded for performance.

Providers: Define services at module/component level (tree-shakeable via providedIn: 'root').

2. Components

A component consists of:

HTML template

CSS styles

TypeScript class with logic.

Data Binding: Syncs component class and template:

Interpolation: {{value}}

Property Binding: [property]="value"

Event Binding: (event)="handler()"

Two-Way Binding: [(ngModel)]="property"

 3. Directives

Structural Directives: Modify DOM layout (e.g., *ngIf, *ngFor).

Attribute Directives: Alter element behavior/appearance (e.g., ngClass, ngStyle).

4. Pipes

Transform displayed data (e.g., date | date:'short'). Create custom pipes with @Pipe.

5. Services & Dependency Injection (DI)

Services: Reusable logic (e.g., data fetching) injected via DI.

6. Routing

RouterModule: Define routes with paths and components. Use <router-outlet> for rendering.

Guards: Control navigation (e.g., CanActivate for auth).

Resolvers: Pre-fetch data before route activation.

7. Change Detection

Zones (zone.js): Track async operations to trigger updates.

8. Forms

Template-Driven: Declarative with ngModel and two-way binding.

Reactive: Programmatic with FormControl, FormGroup, and validators.

9. Angular CLI & Build Process

10. Testing

Unit Tests: Jasmine/Karma with TestBed for component testing.

E2E: Cypress/Protractor (legacy) for browser testing.

11.     Standalone Components

12.     Internationalization (i18n) & Accessibility

1. Domain Feature Module

Encapsulates a specific feature or domain.

Sample code

@NgModule({

  declarations: [UserComponent],

  imports: [CommonModule],

  exports: [UserComponent]

})

export class UsersModule {}

2. Routed Feature Module

Defines a feature module with routing capabilities.

Sample code

@NgModule({

  declarations: [ProductListComponent, ProductDetailComponent],

  imports: [

    CommonModule,

    RouterModule.forChild([

      { path: 'products', component: ProductListComponent },

      { path: 'products/:id', component: ProductDetailComponent }

    ])

  ]

})

export class ProductsModule {}

3. Shared Module

Contains reusable components, directives, and pipes that are shared across multiple modules.

4. Core Module

Contains singleton services that should be available throughout the application.

5. Service Feature Module.

Specifically designed for providing services related to a particular feature.

6.       Component Module

Encapsulates reusable UI components that are used in different modules.

7. Auth Module

Handles authentication and authorization-related components and services.

1. Basic Event Binding Syntax

Sample code

html

Copy

<button (click)="handleClick()">Click Me</button>

typescript

handleClick() {

  console.log('Button clicked!');

2. Accessing the Event Object

Pass $event to your handler to interact with the event object

Html

<input (keyup)="onKeyUp($event)">

Typescript

onKeyUp(event: KeyboardEvent) {

  console.log('Key pressed:', event.key);

}

3. Event Modifiers.

Html

<input (keyup.enter)="onEnter()">

Typescript

onEnter() {

  console.log('Enter key pressed');

}

4. Form Submission Handling.

Html

<form (submit)="onSubmit($event)">

  <button type="submit">Submit</button>

</form>

Typescript

onSubmit(event: Event) {

  event.preventDefault();

  console.log('Form submitted');

}

5. Using Template Reference Variables

Html

<input #myInput (input)="onInput(myInput.value)">

Typescript

onInput(value: string) {

  console.log('Input value:', value);

}

Angular Elements is a feature of Angular that allows you to create custom elements (Web Components) from Angular components. These custom elements can then be used in any frontend framework (React, Vue, plain JavaScript, etc.) or even standalone in an HTML page.

Sample Code

First install Dependencies

ng add @angular/elements

npm install @webcomponents/webcomponentsjs --save

Create a new component - HelloWorldComponent

hello-world.component.ts

import { Component,Input  } from '@angular/core';

 

@Component({

  selector: 'app-hello-world',

  templateUrl: './hello-world.component.html',

  styleUrls: ['./hello-world.component.css']

})

export class HelloWorldComponent {

  @Input() name: string = 'World';

}

hello-world.component.html

<h1>Hello {{ name }}!</h1>

 Modify the App Module

import { NgModule,Injector } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

import { createCustomElement } from '@angular/elements';

import { HelloWorldComponent } from './hello-world/hello-world.component';

 

@NgModule({

  declarations: [

    AppComponent,

    HelloWorldComponent

  ],

  imports: [

    BrowserModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule {

  constructor(private injector: Injector) {

    // Convert Angular component to custom element

    const customElement = createCustomElement(HelloWorldComponent, { injector });

    // Define the custom element in the browser

    customElements.define('my-custom-element', customElement);

  }

  ngDoBootstrap() {} // Required for manual bootstrapping

}

Update angular.json to ensure production builds work with custom elements:

"outputPath": "dist/dist/angular-element-demo",

"scripts": [

              "node_modules/@webcomponents/webcomponentsjs/webcomponents-bundle.js"

            ]

Build the Element - ng-build

Modify Index.html

<!doctype html>

<html lang="en">

<head>

  <script src="webcomponents-bundle.js"></script>

  <meta charset="utf-8">

  <title>Samples</title>

  <base href="/">

  <meta name="viewport" content="width=device-width, initial-scale=1">

  <link rel="icon" type="image/x-icon" href="favicon.ico">

</head>

<body>

  <my-custom-element name="Angular Developer"></my-custom-element>

 

</body>

</html>

Run the application

An injector is a container that:

Instantiates dependencies (e.g., services).

Maintains a registry of providers (instructions on how to create dependencies).

Resolves dependencies when requested by Angular components or services.

Hierarchy in Angular Dependency Injection

Angular creates a tree of injectors where:

Root Injector (Global Scope): Provides services application-wide.

Module-Level Injector: Provides services only within a specific module.

Component-Level Injector: Provides services only within a specific component

and its children.

In Angular, the providedIn property is used in the @Injectable() decorator to specify where a service should be provided (i.e., registered and available for injection). It determines the scope and lifetime of the service.

Values for providedIn

1.       providedIn: 'root'

The service is registered in the root injector.

It is a singleton (one instance shared across the app).

@Injectable({

  providedIn: 'root'

})

export class MyService { }

2.       providedIn: 'platform'

The service is provided at the platform level (shared across multiple Angular apps in the same runtime).

3.       providedIn: 'any'

A new instance of the service is created for each lazy-loaded module.

If used in multiple lazy modules, each module gets its own instance.

4.       providedIn: SomeModule

The service is scoped to a specific module.

Angular provides the service only if that module is imported.

@Injectable({

  providedIn: SomeModule

})

Use Cases :-

 For most cases, use providedIn: 'root' (global singleton).

 For shared services in lazy-loaded modules, use providedIn: 'any'.

 For app-wide services across multiple Angular apps, use providedIn: 'platform'.

 For module-specific services, use providedIn: SomeModule.

For standalone applications, use bootstrapApplication to configure environment injectors at the root:

bootstrapApplication(AppComponent, {

  providers: [DataService] // Root-level providers

});

It Provides the HttpClient service.

Features:

Automatic JSON parsing: Returns parsed JSON data by default (no need for .json()).

Improved error handling: Uses typed HttpErrorResponse with detailed error information.

Interceptors: Middleware to globally modify requests/responses (e.g., adding headers, logging).

Progress events: Support for tracking upload/download progress.

Strong typing: Requests/responses are typed for better TypeScript support.

Global error handling in Angular can be implemented using ErrorHandler, an Angular service designed to catch and handle unhandled exceptions in the application.

Method 1 :-

Create a Custom Global Error Handler

error-handler.service.ts

import { ErrorHandler, Injectable, Injector } from '@angular/core';

import { HttpErrorResponse } from '@angular/common/http';

import { Router } from '@angular/router';

 

@Injectable()

export class GlobalErrorHandlerService implements ErrorHandler {

  constructor(private injector: Injector) {}

  handleError(error: any): void {

    const router = this.injector.get(Router); // Get router instance

    if (error instanceof HttpErrorResponse) {

      // Handle HTTP errors

      console.error('HTTP Error:', error.message);

    } else {

      // Handle Client errors

      console.error('Client Error:', error);

    }

    // Optionally navigate to a global error page

    router.navigate(['/error']);

    // Optionally rethrow the error for logging

    throw error;

  }

}

Provide the Custom Error Handler created above in App Module

app.module.ts

import { NgModule, ErrorHandler } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

import { GlobalErrorHandlerService } from './services/error-handler.service';

 

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule],

  providers: [{ provide: ErrorHandler, useClass: GlobalErrorHandlerService }],

  bootstrap: [AppComponent]

})

export class AppModule {}

Method 2  (For API Errors)

Create a service - error-interceptor.service.ts

import { Injectable } from '@angular/core';

import { HttpEvent, HttpInterceptor, HttpHandler, HttpRequest, HttpErrorResponse } from '@angular/common/http';

import { Observable, throwError } from 'rxjs';

import { catchError } from 'rxjs/operators';

@Injectable()

export class ErrorInterceptorService implements HttpInterceptor {

  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {

    return next.handle(req).pipe(

      catchError((error: HttpErrorResponse) => {

        console.error('HTTP Interceptor Error:', error);

        return throwError(() => error); // Re-throw error

      })

    );

  }

}

Provide the HTTP Interceptor created above in App  Module

app.module.ts

import { HTTP_INTERCEPTORS } from '@angular/common/http';

import { ErrorInterceptorService } from './services/error-interceptor.service';

providers: [

  { provide: HTTP_INTERCEPTORS, useClass: ErrorInterceptorService, multi: true }

]

you can append a base URL to all HTTP requests using Interceptors

Sample code

Create an  service file. - baseurl.service.ts

import { Injectable } from '@angular/core';

import { HttpInterceptor, HttpRequest, HttpHandler } from '@angular/common/http';

@Injectable()

export class BaseUrlInterceptor implements HttpInterceptor {

  private baseUrl = 'https://baseurl.example.com'; // Set your base URL here

  intercept(req: HttpRequest<any>, next: HttpHandler) {

    // Check if the request already has a full URL

    if (!req.url.startsWith('http')) {

      const apiReq = req.clone({ url: `${this.baseUrl}/${req.url}` });

      return next.handle(apiReq);

    }

    return next.handle(req);

  }

}

Register the Interceptor in app.module.ts

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { HttpClientModule, HTTP_INTERCEPTORS } from '@angular/common/http';

import { AppComponent } from './app.component';

import { BaseUrlInterceptor } from './interceptors/baseurl.service';

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule, HttpClientModule],

  providers: [

    { provide: HTTP_INTERCEPTORS, useClass: BaseUrlInterceptor, multi: true }

  ],

  bootstrap: [AppComponent]

})

export class AppModule { }

In any service or component file where you use HttpClient, you can just pass relative URLs:

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

@Injectable({

  providedIn: 'root'

})

export class ExampleService {

  constructor(private http: HttpClient) {}

  getData(): Observable<any> {

    return this.http.get('users'); // Will automatically become https://api.example.com/users

  }

}

Method 1 - Using Environment.ts file

Modify the base URL in the environment file and switch it dynamically based on the environment.

environment.ts

export const environment = {

  production: false,

  apiBaseUrl: 'https://dev-api.example.com'

};

Now you can use in any servcie or component file as follows :

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { environment } from 'src/environments/environment';

@Injectable({

  providedIn: 'root',

})

export class ApiService {

  private baseUrl = environment.apiBaseUrl;

  constructor(private http: HttpClient) {}

  getData() {

    return this.http.get(`${this.baseUrl}/data`);

  }

}

Method 2  - Dynamically Set Base URL in HttpInterceptor

Create an Interceptor

import { Injectable } from '@angular/core';

import {

  HttpInterceptor,

  HttpRequest,

  HttpHandler,

  HttpEvent,

} from '@angular/common/http';

import { Observable } from 'rxjs';

import { ConfigService } from './config.service';

@Injectable()

export class BaseUrlInterceptor implements HttpInterceptor {

  constructor(private configService: ConfigService) {}

  intercept(req: HttpRequest<any>, next: HttpHandler): Observable<HttpEvent<any>> {

    const apiUrl = this.configService.apiBaseUrl;

    const modifiedReq = req.clone({

      url: `${apiUrl}${req.url}`,

    });

    return next.handle(modifiedReq);

  }

}

Register the Interceptor in app.module.ts

import { HTTP_INTERCEPTORS } from '@angular/common/http';

import { BaseUrlInterceptor } from './base-url.interceptor';

providers: [

  { provide: HTTP_INTERCEPTORS, useClass: BaseUrlInterceptor, multi: true },

];

ActivatedRoute is a service from the @angular/router module that provides access to route information, including route parameters, query parameters, and route data.

ActivatedRoute helps retrieve dynamic route parameters, query parameters, and other route-related data.

Sample code

import { Component, OnInit } from '@angular/core';

import { ActivatedRoute } from '@angular/router';

@Component({

  selector: 'app-product-detail',

  templateUrl: './product-detail.component.html',

  styleUrls: ['./product-detail.component.css']

})

export class ProductDetailComponent implements OnInit {

  productId: string | null = '';

  constructor(private route: ActivatedRoute) {}

  ngOnInit() {

    // Get Route Parameter

    this.productId = this.route.snapshot.paramMap.get('id');

  }

}

snapshot.paramMap.get('id'): Retrieves the id parameter from the route.

This works well if the component is created once, but if the route changes dynamically, you'll need to subscribe to route parameters.

Angular Compiler Options are specified in the tsconfig.json or tsconfig.app.json file under the "angularCompilerOptions" section. These options help configure the Angular compiler (@angular/compiler-cli) to optimize the build process, control type checking, and enable or disable various features.

The default options are like below

"compilerOptions": {

    "baseUrl": "./",

    "outDir": "./dist/out-tsc",

    "forceConsistentCasingInFileNames": true,

    "strict": true,

    "noImplicitOverride": true,

    "noPropertyAccessFromIndexSignature": true,

    "noImplicitReturns": true,

    "noFallthroughCasesInSwitch": true,

    "sourceMap": true,

    "declaration": false,

    "downlevelIteration": true,

    "experimentalDecorators": true,

    "moduleResolution": "node",

    "importHelpers": true,

    "target": "ES2022",

    "module": "ES2022",

    "useDefineForClassFields": false,

    "lib": [

      "ES2022",

      "dom"

    ]

  },

In Angular, the PipeTransform interface is used to create custom pipes that transform data in templates. It ensures that the custom pipe class implements a transform method, which is required for data transformation.

Service Workers are a key part of Progressive Web Apps (PWAs), enabling background processes such as caching, push notifications, and offline capabilities in web applications.

A Service Worker is a script that runs in the background of a web application, separate from the main thread, enabling features like:

Offline caching (ensures your app works without an internet connection)

Background sync (syncs data when the network is restored)

Push notifications (sends updates to users even when the app is closed).

Angular Language Service is a tool that provides intelligent code completion, real-time error checking, and other useful features for Angular templates in IDEs like VS Code, WebStorm, and Vim. It enhances the developer experience by providing features similar to TypeScript’s autocompletion but specifically tailored for Angular projects.

Key Features:

Autocompletion:

Error Checking:

Navigation

Quick Info Tooltips:

Template Diagnostics

install ngx-cookie-service

app.moduile.ts

import { CookieService } from 'ngx-cookie-service';

 providers: [CookieService], // Add CookieService to providers

app.component.ts

import { Component,OnInit } from '@angular/core';

import { CookieService } from 'ngx-cookie-service';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  constructor(private cookieService: CookieService) {}

  setCookie() {

    // Set a cookie with expiration (in days), path, and security options

    this.cookieService.set('user', 'John Doe', {

      expires: 2,            // Expires in 2 days

      path: '/',             // Accessible across the entire domain

      secure: true,          // Only send over HTTPS

      sameSite: 'Lax'        // Prevent CSRF attacks

    });

  }

  getCookie() {

    const user = this.cookieService.get('user');

    console.log('Cookie value:', user);

  }

  deleteCookie() {

    this.cookieService.delete('user', '/'); // Specify the same path used when setting

  }

  checkCookie() {

    const exists = this.cookieService.check('user');

    console.log('Cookie exists:', exists);

  }

}

app.component.html

<button (click)="setCookie()">Set Cookie</button>

    <button (click)="getCookie()">Get Cookie</button>

    <button (click)="deleteCookie()">Delete Cookie</button>

 

Use HttpOnly and Secure Flags

Angular runs on the client side, it cannot access cookies with the HttpOnly flag. This prevents JavaScript-based attacks like XSS (Cross-Site Scripting). You should configure cookies on the server with:

HttpOnly: Prevents JavaScript from accessing the cookie.

Secure: Ensures cookies are sent only over HTTPS.

SameSite=Strict or SameSite=Lax: Mitigates CSRF (Cross-Site Request Forgery) attacks. For example,

 this.cookieService.set('theme', 'dark', 7, '/', '', true, 'Lax');

The true flag enables the Secure option (works only on HTTPS).

'Lax' helps prevent CSRF attacks.

 Store Sensitive Data in Sessions or Local Storage Securely

If there is a requirement to store data in cookie,

ensure they are:Encrypted,Short-lived and Accessed securely over HTTPS.

Regularly Expire and Refresh Cookies.

You can use Angular’s DomSanitizer service to sanitize values.

Sample code

app.component.ts

import { Component} from '@angular/core';

import { DomSanitizer } from '@angular/platform-browser';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent   {

  unsafeHtml = '<b>Safe Content</b>';

  constructor(private sanitizer: DomSanitizer) {}

  get safeHtml() {

    return this.sanitizer.bypassSecurityTrustHtml(this.unsafeHtml);

  }

  get safeUrl() {

    return this.sanitizer.bypassSecurityTrustUrl('https://trusted-site.com');

  }

}

app.component.html

<div [innerHTML]="safeHtml"></div>

    <a [href]="safeUrl">Trusted Link</a>

It directive is a powerful structural directive used to define template content that is not rendered immediately. Instead, it serves as a blueprint that can be rendered dynamically using directives like ngIf, ngFor, ngSwitch, or with ngTemplateOutlet.

Sample code

app.component.ts

import { Component} from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent   {

  name = "Boothstomper";

}

app.component.html

<p *ngIf="name === 'Boothstomper'; else noHero">

    {{name}} hero works!</p>

    <ng-template #noHero>

    <p>Hero was not found</p>

    </ng-template>

<ng-container> is an Angular structural directive that allows grouping multiple elements without adding an extra DOM element. It is useful when applying structural directives (*ngIf, *ngFor, etc.) or grouping elements without affecting the layout.

Sample code 1 - ng-container with *ngIf

app.component.ts

import { CommonModule } from '@angular/common';

import { Component } from '@angular/core';

import { RouterOutlet } from '@angular/router';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent   {

  isLoggedIn = true;

}

  app.component.html

<ng-container *ngIf="isLoggedIn">

    <p>Welcome, user!</p>

</ng-container>

Sample code 2 - ng-container with *ngFor

app.component.ts

 userRole = 'admin';

app.component.html

<ng-container *ngFor="let user of users">

    <p>{{ user.name }}</p>

    <p>{{ user.email }}</p>

</ng-container>

Angular's ngTemplateOutlet directive is used to render a template dynamically within the current component's view. It allows the reuse of templates and the dynamic insertion of content.

Sample code

app.component.ts

import { CommonModule } from '@angular/common';

import { Component } from '@angular/core';

import { RouterOutlet } from '@angular/router';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: [ './app.component.css' ]

})

export class AppComponent   {

  userContext = {

    $implicit: 'Alice', // Default variable (let-name)

    age: 28,

    role: 'Developer'

  };

}

app.component.html

<ng-template #userTemplate let-name let-age="age" let-role="role">

    <div class="user-card">

      <h2>{{ name }}</h2>

      <p>Age: {{ age }}</p>

      <p>Role: {{ role }}</p>

    </div>

  </ng-template>

    <!-- Render template with context -->

  <ng-container

    *ngTemplateOutlet="userTemplate; context: userContext">

  </ng-container>

Angular's BrowserAnimationsModule is a module that enables animation support within an Angular application.

Sample code

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { AppComponent } from './app.component';

@NgModule({

  declarations: [AppComponent],

  imports: [

    BrowserModule,

    BrowserAnimationsModule // Import this module

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

app.component.ts

import { Component } from '@angular/core';

import { trigger, state, style, transition, animate } from '@angular/animations';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

  animations: [

    trigger('fadeToggle', [

      state('visible', style({ opacity: 1 })),

      state('hidden', style({ opacity: 0 })),

      transition('visible <=> hidden', [

        animate('500ms ease-in-out')

      ])

    ])

  ]

})

export class AppComponent {

  isVisible = true;

  toggle() {

    this.isVisible = !this.isVisible;

  }

}

app.component.html

<div [@fadeToggle]="isVisible ? 'visible' : 'hidden'" class="box">

  Animated Box

</div>

<button (click)="toggle()">Toggle Animation</button>

The trackBy function helps Angular identify which items have changed, been added, or removed.

Sample code

app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

 })

export class AppComponent {

  items = [

    { id: 1, name: 'Item 1' },

    { id: 2, name: 'Item 2' },

    { id: 3, name: 'Item 3' }

  ];

    trackById(index: number, item: any): number {

    return item.id;

  }

}

app.component.html

<div *ngFor="let item of items; trackBy: trackById">

  {{ item.name }}

</div>

Now, if items is modified, only the changed elements are updated, and the unchanged ones remain.

Ivy is the default rendering engine in Angular since Angular 9. It introduces a more efficient compilation and rendering pipeline, improving performance, bundle sizes, and debugging capabilities.

Tree shaking is a technique used in angular applications to remove unused code during the build process, reducing the final bundle size and improving performance.

Tree shaking is performed by tools like Webpack, Terser, and Rollup as part of Angular’s build optimization process

Easy API: Methods like set(), get(), delete(), and check() for easier cookie management.

TypeScript Support: Strongly typed and works well in Angular.

Dependency Injection: Can be injected into components and services.

Options Handling: Supports secure attributes like expires, path, secure, and sameSite.

Cross-Browser Compatibility: Abstracts browser-specific behaviors.

Local Storage

Data persists even after the browser is closed and reopened.

Data is shared across all tabs and windows of the same origin

deal for storing user preferences, theme settings, or other long-term data.

sessionStorage

Data is cleared when the browser tab is closed.

Data is limited to the specific tab where it was stored and is not accessible from other tabs or windows.

Useful for temporary data like session-specific authentication tokens or form inputs that should not persist beyond the session.

Angular Schematics are a powerful workflow tool within the Angular ecosystem that enable developers to automate code generation, modifications, and project maintenance.

Schematics are primarily used in the Angular CLI to generate components, modules, services, and more. For example, when you run ng generate component my-component, Angular CLI uses a schematic to create the component files and register them in your project.

Features of Angular Schematics

Code Generation

Code Transformation

Custom Schematics

Integrations

Examples of some Angular CLI Schematic Commands

ng generate component my-component   // Generate a Component

ng generate service my-service   // Generate a Service

ng generate module my-module   // Generate a Module:

TestBed is a powerful utility provided by the Angular testing framework to simplify unit testing and integration testing of Angular applications. It allows you to create and configure a test environment that closely mimics the runtime behavior of Angular.

Features of TestBed :-

Module Configuration

Dependency Injection

Component Testing

Isolation

in app.module.ts

import { ReactiveFormsModule } from '@angular/forms';

If you are using form group with validation, you have to import following modules in comonent.

import { FormBuilder, FormGroup, Validators } from '@angular/forms';

in app.module.ts

import { FormsModule } from '@angular/forms';

1.       Optimize Change Detection

2.       Use OnPush Change Detection Strategy:

3.       Implement  Lazy Load Modules.

4.       Implement Code Splitting and Tree Shaking.

5.       Implement AOT Compilation for reducing bundle size

6.       Cache HTTP responses where applicable to minimize server calls.

7.       Use RxJS operators like debounceTime or distinctUntilChanged to       optimize data  streams.

8.       Optimize assets by Compress images and use modern formats,Minify CSS    and JS files and by using content delivery network (CDN) for assets.

9.       Implement Service Workers

 10.    Enable Production Mode

11.     Preload Modules

12.     Avoid Memory Leaks by unsubscribing from Observables in components:

13.     Use reactive forms (FormGroup, FormControl) for better performance and     control over validations.

14.     Implement Server-Side Rendering by  Angular Universal to pre-render           pages on the server

15.     Use Caching and Lazy Data Loading

16.     Profiling and Auditing Tools

1.       Implement services for data access,becuase it provides

          Centralized logic for data retrieval and caching.

          Easily share data between components.

          Simplifies testing and maintainability.

2.       Implement HttpClient module,becuase it provides :-

          Support of  Observables for reactive programming.

          Built-in methods for GET, POST, PUT, DELETE, etc.

          Interceptors for request/response transformations or global error           handling.

3.       Use Reactive State Management like RxJS, NgRx, or Akita.

4.       Implement Resolver Guards becuase it provides :

          fetching of  data before a route is activated. This ensures that           components have the data they need when they load.

5.       Optimize with Caching.

6.       Implement a Centralized error handling using interceptors or custom utility methods.

7.       Use REST Efficiently.

 

(THIS IS A PRACTICAL ASSIGNMENT)

Tools used - Visual studio 2022 (For Core Web API)

                   Visual Studio code (For Angular project)

Part I - Create a Core Web API -

First add necessaery dependencies for Jwt & Identity using npm

Microsoft.AspNetCore.Authentication.JwtBeaerer

System.IdentityModel.Tokens.Jwt

Create 3 class files - Courses.cs

 public class Courses

    {

        public string CourseName { get; set; }

        public string Duration { get; set; }   

    }

Roles.cs

public class Roles

    {

        public string RoleName { get; set; }   

    }

User.cs

    public class User

    {

        public string UserName { get; set; }       

        public string UserEmail { get; set; }

        public string Addresss { get; set; }           

        public int Salary { get; set; }   

        public string UserToken { get; set; }

        public List<Courses> Courses { get; set; }

        public List<string> UserRoles { get; set; }

    }

 

Create a Controller - AuthController.cs

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

using Microsoft.IdentityModel.Tokens;

using System.IdentityModel.Tokens.Jwt;

using System.Security.Claims;

using System.Text;

using WebAPI_Angular_JWT.Models;

 

namespace WebAPI_Angular_JWT.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class AuthController : ControllerBase

    {

        private readonly IConfiguration _config;

        public AuthController(IConfiguration config)

        {

            _config = config;

        }

        [HttpPost("login")]

        public IActionResult Login([FromBody] LoginModel login)

        {

            // Since it is a demo, I am not using DB. In real application,

data should come from a service file using DB with SP.

 

            if (login.Username != "user" || login.Password != "pass")

                return Unauthorized();

            List<Roles> totroles = new List<Roles>();

            User lastuser = new User();

            List<Courses> allcourses = new List<Courses>();   

            Courses cors = new Courses();

            cors.CourseName = "Java";

            cors.Duration = "1 year";

            allcourses.Add(cors);

            Courses cors2 = new Courses();

            cors2.CourseName = "Php";

            cors2.Duration = "2 years";

            allcourses.Add(cors2);

            List<string> allroles = new List<string>();

            allroles.Add("Admin");

            allroles.Add("User");

            var claims = new[]

            {

            new Claim(ClaimTypes.NameIdentifier, "1"),

            new Claim(ClaimTypes.Name, login.Username),

            new Claim(ClaimTypes.Role,"Admin")

        };

            var key = new SymmetricSecurityKey(Encoding.UTF8.GetBytes(_config["Jwt:SecretKey"]));

            var creds = new SigningCredentials(key, SecurityAlgorithms.HmacSha256);

            string lasttoken = "";

            var token = new JwtSecurityToken(

                issuer: _config["Jwt:Issuer"],

                audience: _config["Jwt:Audience"],

                claims: claims,

                expires: DateTime.Now.AddMinutes(30),

                signingCredentials: creds

            ); ;

            try

            {

                lasttoken = new JwtSecurityTokenHandler().WriteToken(token);

            }

            catch (Exception ex)

            {

                string exc = ex.Message;

            }

            User usr = new User();

            usr.UserName = "Kumar";

            usr.UserEmail = "Kumar@gmail.com";

            usr.Addresss = "Mumbai";

            usr.Salary = 5000;

            usr.UserToken = lasttoken;

            usr.Courses = allcourses;  

            usr.UserRoles = allroles;

            return Ok(new

            {

                lastuser = usr

            });

        }

    }

    public class LoginModel

    {

        public string Username { get; set; }

        public string Password { get; set; }

    }

}

Create Controller   ProtectedController.cs

using Microsoft.AspNetCore.Authorization;

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

 

namespace WebAPI_Angular_JWT.Controllers

{

    [Authorize]

    [Route("api/[controller]")]

    [ApiController]

    public class ProtectedController : ControllerBase

    {

        [HttpGet]

        public IActionResult GetData()

        {

            return Ok("Protected data");

        }

    }

}

In appsettings.json add the code for jwt

"Jwt": {

    "SecretKey": "this is my custom Secret key for authentication",

    "Issuer": "kumarsonu"

    "Audience": "DotNet"

  },

Update program.cs file

 var key = Encoding.ASCII.GetBytes(builder.Configuration["Jwt:SecretKey"]);

            builder.Services.AddAuthentication(JwtBearerDefaults.AuthenticationScheme)

                .AddJwtBearer(options =>

                {

                    options.TokenValidationParameters = new TokenValidationParameters

                    {

                        ValidateIssuer = true,

                        ValidateAudience = true,

                        ValidateLifetime = true,

                        ValidateIssuerSigningKey = true,

                        ValidIssuer = builder.Configuration["Jwt:Issuer"],

                        ValidAudience = builder.Configuration["Jwt:Audience"],

                        IssuerSigningKey = new SymmetricSecurityKey(key)

                    };

                });

            builder.Services.AddAuthorization();

 app.UseAuthentication();

            app.UseAuthorization();

 

            app.UseCors(builder => builder

    .AllowAnyOrigin()

    .AllowAnyMethod()

    .AllowAnyHeader());

 

Part - 2  - Angular Application

 

Create a service file - auth.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { BehaviorSubject, Observable } from 'rxjs';

import { tap } from 'rxjs/operators';

 

@Injectable({

  providedIn: 'root'

})

export class AuthService {

  private readonly API_URL = 'https://localhost:7248/api/auth';

  private currentUserSubject: BehaviorSubject<string | null>;

  constructor(private http: HttpClient) {

    this.currentUserSubject = new BehaviorSubject<string | null>(localStorage.getItem('jwt'));

  }

  login2(username: string, password: string): Observable<any> {

   // change url according to your project. In real application, it should come from

   // environment.ts file.

     return this.http.post<any>('https://localhost:7248/api/auth/login',{username,password});

     

  }

 }

export interface Courses{

  CourseName:string;

  Duration:string;

}

export interface User {

  UserName:string;

  UserEmail:string;

  Address:string;

  Salary:number;

  UserToken:string;

  Courses:[Courses];

  UserRoles:string[];

 }

// install necessary package for decoding a jwt token

Create a component - Login Component.

login.component.ts

import { Component } from '@angular/core';

import { AuthService,User } from '../auth.service';

import { jwtDecode } from "jwt-decode";

@Component({

  selector: 'app-login',

  templateUrl: './login.component.html',

  styleUrls: ['./login.component.css']

})

export class LoginComponent {

  username = '';

  password = '';

  token = '';

  users: User;

  constructor(private authService: AuthService) {}

  onSubmit(): void {

    this.authService.login2(this.username, this.password).subscribe((data) => {

      console.log(data);

      const username = data.lastuser.userName;

      console.log(username);

      let t = jwtDecode(data.lastuser.userToken);

      const decodedname = t["http://schemas.xmlsoap.org/ws/2005/05/identity/claims/name"];

     console.log(decodedname);

     const decodedrole = t["http://schemas.microsoft.com/ws/2008/06/identity/claims/role"];

     console.log(decodedrole);

    const decodedexp = t["exp"];

    console.log(decodedexp);

     const decodediss = t["iss"];

     console.log(decodediss);

     const decodedaud = t["aud"];

     console.log(decodedaud);

  }

}

login.component.html

<form (ngSubmit)="onSubmit()">

    <input [(ngModel)]="username" name="username" placeholder="Username">

    <input [(ngModel)]="password" name="password" type="password" placeholder="Password">

    <button type="submit">Login</button>

  </form>

update app.module.ts

import { FormsModule } from '@angular/forms';

import { HttpClientModule } from '@angular/common/http';

( Add in providers sections also)

create another component - Protected Component

update app-routing.module.ts

import { NgModule } from '@angular/core';

import { CommonModule } from '@angular/common';

import { AuthGuard } from './auth.guard';

import { RouterModule, Routes } from '@angular/router';

import { ProtectedComponent } from './protected/protected.component';

const routes: Routes = [

  { path: 'protected', component: ProtectedComponent, canActivate: [AuthGuard] }

];

@NgModule({

  declarations: [],

  imports: [

    CommonModule

  ]

})

export class AppRoutingModule { }

First Run Core Web API & then Angular project.

This is a practical assignment.  We need 2 projects. one for Core Web API and other for Angular.

Core Web API project

Create 2 class files in Models folder

Students.cs

 public class Students

    {

        public int StudentId { get; set; } 

        public string StudentName { get; set; }

        public string StudentAddress { get; set; }

        public List<Courses> Courses { get; set; }

    }

Courses.cs

  public class Courses

    {

        public int CourseId { get; set; }       

        public string CourseName { get; set; }

        public string Duration { get; set; }   

    }

Create a Controller

AuthController.cs

Create a method for calling all data of students with their courses

// Here I am using hard coded values for demo. In Real application, it should come from db by using service file.

[HttpGet]

        [Route("GetAllStudentsInfo")]

        public List<Students> GetAllStudentsInfo()

        {

            List<Students> studentlist = new List<Students>();

            Students student = new Students();

            student.StudentId = 1;

            student.StudentName = "Mohan";

            student.StudentAddress = "mumbai";

            List<Courses> courses = new List<Courses>();

            Courses course = new Courses();

            course.CourseId = 1;

            course.CourseName = "Java";

            course.Duration = "1 year";

            courses.Add(course);

            student.Courses = courses;

            Courses course3 = new Courses();

            course3.CourseId = 2;

            course3.CourseName = "DotNet";

            course3.Duration = "4 year";

            courses.Add(course3);

            student.Courses = courses;

            studentlist.Add(student);  

            Students student2 = new Students();

            student2.StudentId = 2;

            student2.StudentName = "Rojer";

            student2.StudentAddress = "Pune";

            List<Courses> courses2 = new List<Courses>();

            Courses course2 = new Courses();

            course2.CourseId = 3;

            course2.CourseName = "Python";

            course2.Duration = "3 years";

            courses2.Add(course2);

            student2.Courses = courses2;

            studentlist.Add(student2);

            return studentlist;

        

Web API part is over. Run application and note down the url

 

Second Part - Angular

Install Angular Material for using Mat Table

Create 2 class files.

courses.ts

export interface Courses {

    CourseName:string;

    Duration:string;

}

students.ts

import {Courses} from './courses';

export interface Students {

    StudentId:number;

  StudentName:string;

  StudentAddress:string;

  Courses:[Courses];

}

Create a service file

auth.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import {Courses} from './courses';

import {Students} from './students';

@Injectable({

  providedIn: 'root'

})

export class AuthService {

   constructor(private http: HttpClient) {

   }

  GetAllStudentsInfo(): Observable<Students[]> {

    // change url according to your project. In real application, it may come from  environment.ts file.

      return this.http.get<Students[]>('https://localhost:7248/api/auth/GetAllStudentsInfo');

          }

 }

}

Crreate a component - login

login.component.ts

import { Component,OnInit } from '@angular/core';

import { AuthService } from '../auth.service';

import {Courses} from '../courses';

import {Students} from '../students';

import { MatTableDataSource } from '@angular/material/table';

import { animate, state, style, transition, trigger } from '@angular/animations';

@Component({

  selector: 'app-login',

  templateUrl: './login.component.html',

  styleUrls: ['./login.component.css'],

  animations: [

    trigger('detailExpand', [

      state('collapsed', style({height: '0px', minHeight: '0'})),

      state('expanded', style({height: '*'})),

      transition('expanded <=> collapsed', animate('225ms cubic-bezier(0.4, 0.0, 0.2, 1)')),

    ]),

  ],

})

export class LoginComponent implements OnInit  {

  dataSource:any;

  displayedColumns: string[] = ['studentName'];

    expandedElement: Students | null;

    constructor(private authService: AuthService) {}

  ngOnInit(): void {

    this.authService.GetAllStudentsInfo().subscribe((data) => {

      console.log(data);

      this.dataSource = data;

    });

  }

  }

    login.component.html

<table mat-table [dataSource]="dataSource" multiTemplateDataRows class="mat-elevation-z8">

  <!-- Column Definitions -->

  <ng-container matColumnDef="studentName">

    <th mat-header-cell *matHeaderCellDef> Student Name </th>

    <td mat-cell *matCellDef="let parent"> {{parent.studentName}} </td>

  </ng-container>

 

  <!-- Expanded Content Column - The detail row is made up of a one-cell row which contains a nested table -->

  <ng-container matColumnDef="expandedDetail">

    <td mat-cell *matCellDef="let parent" [attr.colspan]="displayedColumns.length">

      <div class="example-element-detail" [@detailExpand]="parent == expandedElement ? 'expanded' : 'collapsed'">

        <table mat-table [dataSource]="parent.courses">

          <ng-container matColumnDef="childName">

            <th mat-header-cell *matHeaderCellDef> Course Name </th>

            <td mat-cell *matCellDef="let child"> {{child.courseName}} </td>

          </ng-container>

 

          <tr mat-header-row *matHeaderRowDef="['childName']"></tr>

          <tr mat-row *matRowDef="let row; columns: ['childName'];"></tr>

        </table>

      </div>

    </td>

  </ng-container>

 

  <!-- Row Definitions -->

  <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

  <tr mat-row *matRowDef="let element; columns: displayedColumns;" class="example-element-row"

      [class.example-expanded-row]="expandedElement === element"

      (click)="expandedElement = expandedElement === element ? null : element">

  </tr>

  <tr mat-row *matRowDef="let row; columns: ['expandedDetail']" class="example-detail-row"></tr>

</table>

 

login.component.css

.example-element-row td {

  border-bottom-width: 0;

}

.example-element-detail {

  overflow: hidden;

  display: flex;

}

.example-element-diagram {

  min-width: 80px;

  border: 2px solid black;

  padding: 8px;

  font-weight: lighter;

  margin: 8px 0;

  height: 104px;

}

 

.example-element-symbol {

  font-weight: bold;

  font-size: 40px;

  line-height: normal;

}

 

.example-element-description {

  padding: 16px;

}

 

.example-element-description-attribution {

  opacity: 0.5;

}

app.component.html

<app-login></app-login>

update app.module.ts

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

Add it in imports section

Run the application

 

The loadChildren property in routing is used for lazy loading modules.

Lazy loading helps improve the performance of an Angular application by loading feature modules only when they are needed, instead of loading them upfront when the application starts.

Sample code .

Create a feature module

ng generate module feature-name --route=feature-path --module=app.module

This generates:

 

A new module file (e.g., feature-name.module.ts)

A routing file (e.g., feature-name-routing.module.ts)

Configure this feature module in app-routing.module.ts.

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

const routes: Routes = [

  { path: '', redirectTo: 'home', pathMatch: 'full' },

  { path: 'home', component: HomeComponent },

  {

    path: 'feature',

    loadChildren: () =>

      import('./feature-name/feature-name.module').then(

        (m) => m.FeatureNameModule

      ),

  },

  { path: '**', redirectTo: 'home' }, // Wildcard route for a 404 page

];

 

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule],

})

export class AppRoutingModule {}

Now feaure module will come load only when it is necessary.

When setting up the Angular router, you can provide extra options to customize its behavior. These options are passed as part of the RouterModule.forRoot() method.

Sample code

import { RouterModule, ExtraOptions } from '@angular/router';

 

const routerOptions: ExtraOptions = {

  enableTracing: true, // Logs router events to the console

  useHash: true, // Enables hash-based routing

  scrollPositionRestoration: 'enabled', // Restores scroll position on navigation

  anchorScrolling: 'enabled', // Enables anchor scrolling

  onSameUrlNavigation: 'reload' // Reloads the component when the same URL is navigated

};

 

@NgModule({

  imports: [RouterModule.forRoot(routes, routerOptions)],

  exports: [RouterModule]

})

export class AppRoutingModule {}

you can pass headers,params,observe etc.

Sample code

import { HttpClient, HttpHeaders } from '@angular/common/http';

 

const httpOptions = {

  headers: new HttpHeaders({

    'Content-Type': 'application/json',

    'Authorization': 'Bearer token'

  }),

  params: { key: 'value' }, // Query parameters

  observe: 'response' // To get the full HTTP response instead of just the body

};

 

this.http.get('https://api.example.com/data', httpOptions)

  .subscribe(response => {

    console.log(response);

  });

We can add some extra optons to control how templates are compiled .

Sample code

{

  "angularCompilerOptions": {

    "fullTemplateTypeCheck": true, // Enables strict template type checking

    "strictInjectionParameters": true, // Ensures all injection parameters are valid

    "enableIvy": true // Enables the Ivy compiler (default in Angular 9+)

  }

}

The UrlMatcher is a powerful feature that allows you to define custom URL matching logic for your routes in the Angular Router. This can be useful when the built-in route matching strategies (like path, pathMatch, etc.) are not sufficient for your needs.

A UrlMatcher is a function that takes three arguments:

segments: An array of UrlSegment objects representing parts of the URL.

group: A map of route parameters.

route: The Route configuration object that uses this UrlMatcher

The function returns either:

null if the URL does not match.

A UrlMatchResult object if the URL match.

Sample code

The following example checks that  matches URLs like /product/:id where :id must be a number.

import { UrlSegment, UrlMatchResult } from '@angular/router';

export function productMatcher(segments: UrlSegment[]): UrlMatchResult | null {

  if (segments.length === 2 && segments[0].path === 'product' && !isNaN(+segments[1].path)) {

    return {

      consumed: segments,

      posParams: {

        id: segments[1],

      },

    };

  }

  return null;

}

Then you can add it Routing module

import { productMatcher } from './custom-url-matcher';

const routes: Routes = [

  {

    matcher: productMatcher,

    component: ProductComponent,

  },

  {

    path: '**',

    redirectTo: '/',

  },

];

 

ts file

 isUserAuthenticated = (): boolean => {

    const token = localStorage.getItem("jwt");

 

    if (token){

      return true;

    }

    return false;

  }

  html file

<div *ngIf="isUserAuthenticated()" style="color:blue;">

  <h2>

   </h2>

</div>

A QueryList is a class that represents a collection of items (such as components or elements) queried from the DOM using Angular's @ViewChildren or @ContentChildren decorators. It is essentially a wrapper for a dynamic list of items that can be updated when the DOM changes.

Features of queryList

Dynamic Updates: The list updates automatically when the underlying DOM elements change.

Observability: It has an Observable property (changes) that emits whenever the list is updated.

Utility Methods: Includes methods like forEach(), map(), and filter() for easy manipulation of the list.

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

 

NgPlural is a directive in Angular that allows you to display content based on a numeric value. It is particularly useful for handling pluralization in your application, such as displaying different messages based on whether a count is singular or plural.

The ngPlural directive in Angular is part of Angular's Internationalization (i18n) features.

Sample code

app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

 })

export class AppComponent {

  itemCount: number = 0;

  increment() {

    this.itemCount++;

  }

  decrement() {

    if (this.itemCount > 0) {

      this.itemCount--;

    }

  }

}

app.component.html

<div [ngPlural]="itemCount">

  <ng-template ngPluralCase="=0">No items</ng-template>

  <ng-template ngPluralCase="=1">One item</ng-template>

  <ng-template ngPluralCase="other">{{ itemCount }} items</ng-template>

</div>

<button (click)="increment()">Add Item</button>

<button (click)="decrement()">Remove Item</button>

SlicePipe in Angular is a built-in pipe that allows you to extract a subset of elements from an array or a substring from a string. It is commonly used in Angular templates to display a portion of an array or string.

Sample  1

app.component.ts

items = ['Apple', 'Banana', 'Cherry', 'Date', 'Elderberry'];

app.component.html

<p>{{ items | slice:1:4 }}</p>

Result will be

Banana, Cherry, Date

Sample 2

app.component.ts

text = 'Hello, World!';

app.component.html

<p>{{ text | slice:0:5 }}</p>

Result will be

Hello

Sample 3

app.component.ts

  items = ['Apple', 'Banana', 'Cherry', 'Date', 'Elderberry'];

app.component.html

<p>{{ items | slice:-3 }}</p>

Result will be

Cherry, Date, Elderberry

First add 2 images in assets folder.

image1.gif,image2.avif

app.component.ts

import { Component,OnInit } from '@angular/core';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

 })

export class AppComponent implements OnInit {

 images: string[] = [];

 isLoading = true;

 ngOnInit(){

    setTimeout(() => {

      console.log('wait for 8 seconds');

    this.isLoading = false;

    this.images = [

      'assets/image1.jpg',

      'assets/image2.avif'

    ];

      // And any other code that should run only after 5s

    }, 8000);

  }

 }

app.component.html

<div *ngIf="isLoading">Loading images...</div>

<div *ngIf="!isLoading" class="image-gallery">

  <div *ngFor="let image of images" class="image-container">

    <img [src]="image" alt="Image" class="image">

  </div>

</div>

app.component.css

/* image-gallery.component.css */

.image-gallery {

  display: flex;

  flex-wrap: wrap;

  gap: 10px;

  justify-content: center;

}

.image-container {

  width: 150px;

  height: 150px;

  overflow: hidden;

  border-radius: 10px;

  box-shadow: 0 2px 5px rgba(0, 0, 0, 0.2);

}

.image {

  width: 100%;

  height: 100%;

  object-fit: cover;

}

KeyValue pipe in Angular is a built-in pipe that transforms an object or a Map into an array of key-value pairs. It's especially useful when you want to iterate through an object or Map in your template using *ngFor.

Sample code

app.component.ts

import { Component } from '@angular/core';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

 

})

export class AppComponent  {

  myObject = {

    name: 'John',

    age: 30,

    city: 'New York'

  };

}

app.component.html

<ul>

  <li *ngFor="let item of myObject | keyvalue">

    {{ item.key }}: {{ item.value }}

  </li>

</ul>

Result is coming in sorted order.

HTTP status codes are typically handled when making HTTP requests using the HttpClient service. The HttpClient service returns an observable that emits the HTTP response, which includes the status code, headers, and body.

Sample code

First, ensure that you have imported HttpClientModule in your AppModule and injected HttpClient in your service or component.

When you make an HTTP request, you can handle the response and check the status code using the HttpResponse object.

import { HttpClient, HttpErrorResponse } from '@angular/common/http';

import { catchError } from 'rxjs/operators';

import { throwError } from 'rxjs';

 

this.http.get<any>('https://api.example.com/data')

  .pipe(

    catchError((error: HttpErrorResponse) => {

      if (error.status === 404) {

        console.error('Resource not found');

      } else if (error.status === 500) {

        console.error('Internal server error');

      } else {

        console.error('An error occurred:', error.message);

      }

      return throwError(() => new Error('Something bad happened; please try again later.'));

    })

  )

  .subscribe({

    next: (response) => {

      console.log('Response received:', response);

    },

    error: (error) => {

      console.error('Error in subscription:', error);

    }

  });

Some Common HTTP Status Codes

200 OK: The request was successful.

201 Created: The request was successful, and a resource was created.

204 No Content: The request was successful, but there is no content to send in the response.

400 Bad Request: The server could not understand the request due to invalid syntax.

401 Unauthorized: The client must authenticate itself to get the requested response.

403 Forbidden: The client does not have access rights to the content.

404 Not Found: The server can not find the requested resource.

500 Internal Server Error: The server has encountered a situation it doesn't know how to handle.

HttpContext is a feature introduced with Angular version 13 that allows developers to attach additional metadata to HTTP requests. This metadata can then be used in HttpInterceptors or other parts of your application to make decisions about how the request should be processed.

Sample Demo

First create class file for Token creation

token.ts

import { HttpContextToken } from '@angular/common/http';

// Define a context token with a default value

export const DISABLE_AUTH = new HttpContextToken<boolean>(() => false);

Create an interceptor

auth.interceptor.ts

import { Injectable } from '@angular/core';

import {

  HttpRequest,

  HttpHandler,

  HttpEvent,

  HttpInterceptor

} from '@angular/common/http';

import { Observable } from 'rxjs';

import { DISABLE_AUTH } from './tokens';

 

@Injectable()

export class AuthInterceptor implements HttpInterceptor {

  intercept(

    req: HttpRequest<any>,

    next: HttpHandler

  ): Observable<HttpEvent<any>> {

    // Check the context token

    const disableAuth = req.context.get(DISABLE_AUTH);

    console.log(disableAuth);

    if (disableAuth) {

      console.log('Auth disabled for this request.');

      return next.handle(req);

    }

    // Add an Authorization header if auth is not disabled

    const authReq = req.clone({

      setHeaders: { Authorization: 'This is the demo of the token in interceptor' },

    });

    return next.handle(authReq);

  }

}

update app.module.ts

import { HTTP_INTERCEPTORS } from '@angular/common/http';

import { AuthInterceptor } from './auth.interceptor';

providers: [

    {

      provide: HTTP_INTERCEPTORS,

      useClass: AuthInterceptor,

      multi: true, // Allows multiple interceptors

    },

  ],

app.component.ts

import { HttpClient, HttpContext } from '@angular/common/http';

import { Component,OnInit } from '@angular/core';

import { DISABLE_AUTH } from './tokens';

import { HttpContextToken } from '@angular/common/http';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

 })

export class AppComponent implements OnInit  {

  constructor(private http: HttpClient) {}

ngOnInit(){

  this.makeRequest();

}

  makeRequest() {

    const context = new HttpContext().set(DISABLE_AUTH, true);

    this.http

      .get('https://jsonplaceholder.typicode.com/posts', { context })

      .subscribe((response) => console.log(response));

  }

}

app.component.html

<p>Check the console for results!</p>

Run & check the console

Again modify app.component.ts file - change value to false from true.

 const context = new HttpContext().set(DISABLE_AUTH, false)

Now run & check the headers of the requst.

 

DestroyRef provides a reference to the lifecycle hook of a component, directive, or service to register cleanup logic.

It is particularly useful in standalone components, directives, and services where you want to clean up resources like subscriptions, intervals, or other side effects when the instance is destroyed.

It is part of Angular's reactivity model and works seamlessly with the takeUntilDestroyed operator for unsubscribing from observables.

takeUntilDestroyed is a utility operator in Angular applications that simplifies managing subscriptions, particularly when components or services are destroyed.

It automatically unsubscribes from observables to prevent memory leaks.

Sample demo for DestroyRef & takeUntilDestroyed

standalone.component.ts

import { Component, DestroyRef, inject } from '@angular/core';

import { interval } from 'rxjs';

import { takeUntilDestroyed } from '@angular/core/rxjs-interop';

 

@Component({

  selector: 'app-standalone',

  standalone:true,

  templateUrl: './standalone.component.html',

  styleUrls: ['./standalone.component.css']

})

export class StandaloneComponent  {

  private destroyRef = inject(DestroyRef);

  constructor() {

    interval(5000)

      .pipe(takeUntilDestroyed(this.destroyRef))

      .subscribe((value) => {

        console.log(value);

      });

  }

}

.Run the application & check the console.

DestroyRef

It is used to track and respond to the destruction of components or services, typically within the new Signal-based reactivity system.

Provides a way to run logic when the service or component is destroyed.

Can be used in components, directives, or services.

Integrates well with Angular's reactive systems, such as Signals.

OnDestroy

OnDestroy is a lifecycle hook implemented via an Angular interface. It is used in components, directives, or services to handle cleanup logic (like unsubscribing from observables, detaching event listeners, etc.) when they are destroyed.

It requires implementing the OnDestroy interface and defining the ngOnDestroy method in a class.

A lifecycle hook specifically for components, directives, or services.

 

Angular Project

Create 2 classes -

order-item.ts

export class OrderItem {

    id?: number;

    productName: string;

    quantity: number;

    price: number;

    orderId?: number; // Foreign Key

}

order.ts

import {OrderItem} from './order-item';

export class Order {

    id?: number;

    customerName: string;

    orderDate: Date;

    orderItems: OrderItem[]; // One-to-Many Relationship

}

Create a service

order.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import { Order } from './order';

@Injectable({

  providedIn: 'root'

})

export class OrderService {

  private apiUrl = 'https://localhost:7256/api/Parent/CreateParent';

  constructor(private http: HttpClient) {}

  createOrder(order: Order[]): Observable<Order> {

    return this.http.post<Order>(this.apiUrl, order);

  }

}

app.component.ts

import { Component,OnInit } from '@angular/core';

import { OrderService } from './order.service';

import { Order  } from './order';

import {OrderItem} from './order-item'

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent 

{

 private newOrder: Order[] =[

    {

    customerName: 'John Doe',

    orderDate: new Date(),

    orderItems: [

      { productName: 'Laptop', quantity: 1, price: 100 },

      { productName: 'Mouse', quantity: 2, price: 200 }

    ]

  },

  {

    customerName : 'John Rambo',

    orderDate: new Date(),

    orderItems: [

      { productName: 'KeyBoard', quantity: 3, price: 300 },

      { productName: 'Hard Disk', quantity: 4, price: 400 }

    ]

  }];

  constructor(private orderService: OrderService) {}

   ngOnInit() {

    this.orderService.createOrder(this.newOrder).subscribe(response => {

      console.log('Order Created:', response);

    });

}

}

update app.module.ts

import { HttpClientModule } from '@angular/common/http';

  imports: [

    HttpClientModule

  ],

Core Web API part

Create 2 classes  in Models folder

OrderItemDto.cs

 public class OrderItemDto

    {

        public string ProductName { get; set; }

        public int Quantity { get; set; }

        public decimal Price { get; set; }

    }

OrderDTo.cs

 public class OrderDTo

    {

        public string CustomerName { get; set; }

        public DateTime OrderDate { get; set; }

        public List<OrderItemDto> OrderItems { get; set; }

    }

Create a controller - ParentController

ParentController.cs

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

using OneToManyPasss.Models;

namespace OneToManyPasss.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class ParentController : ControllerBase

    {

        [HttpPost]

        [Route("CreateParent")]

        public IActionResult CreateParent([FromBody] OrderDTo[] orderDto)

        {

            return Ok(orderDto);

        }

    }

}

 

Data base

Crreate 2 tables Orders,OrderDetails

Orders Table

CREATE TABLE [dbo].[Orders](

          [OrderID] [int] NOT NULL,

          [OrderDate] [date] NULL,

          [CustomerID] [int] NULL,

 CONSTRAINT [PK_Orders] PRIMARY KEY CLUSTERED

(

          [OrderID] ASC

)

OrderDetails

CREATE TABLE [dbo].[OrderDetails](

          [OrderDetailID] [int] NULL,

          [OrderID] [int] NULL,

          [ProductID] [int] NULL,

          [Quantity] [int] NULL,

          [Price] [decimal](18, 0) NULL

)

Create a Stored proedure for getting all Orders with Orderdetails

CREATE PROCEDURE GetOrdersWithDetails

AS

BEGIN

    -- First result set: Orders

    SELECT OrderID, OrderDate, CustomerID

    FROM Orders;

 

    -- Second result set: OrderDetails

    SELECT OrderDetailID, OrderID, ProductID, Quantity, Price

    FROM OrderDetails;

END

 

Core Web API

Create 2 classes

public class OrderDetail

    {

        public int OrderDetailID { get; set; }

        public int OrderID { get; set; }

        public int ProductID { get; set; }

        public int Quantity { get; set; }

        public decimal Price { get; set; }

    }

 public class Order

    {

        public int OrderID { get; set; }

        public DateTime OrderDate { get; set; }

        public int CustomerID { get; set; }

        public List<OrderDetail> OrderDetails { get; set; } = new List<OrderDetail>();

    }

Create a Folder - Repository

Create an interface in it -

// We are using ADO.NET for data access

public interface IOrderRepository

    {

        public List<Order> GetAllOrderswithDetails();

    }

Create a class file which implements above interface

public class OrderRepository : IOrderRepository

    {

        private readonly string _connectionString;

        public OrderRepository(IConfiguration configuration)

        {

            _connectionString = configuration.GetConnectionString("DataConnection");

        }

        public List<Order> GetAllOrderswithDetails()

        {

            List<Order> orders = new List<Order>();

            using (SqlConnection connection = new SqlConnection(_connectionString))

            {

                connection.Open();

                // Create a command to execute the stored procedure

                using (SqlCommand command = new SqlCommand("GetOrdersWithDetails", connection))

                {

                    command.CommandType = CommandType.StoredProcedure;

                    // Execute the command and read the results

                    using (SqlDataReader reader = command.ExecuteReader())

                    {

                        // Read the first result set (Orders)

                        while (reader.Read())

                        {

                            Order order = new Order

                            {

                                OrderID = reader.GetInt32(0),

                                OrderDate = reader.GetDateTime(1),

                                CustomerID = reader.GetInt32(2)

                            };

                            orders.Add(order);

                        }

                        // Move to the next result set (OrderDetails)

                        reader.NextResult();

                        // Read the second result set (OrderDetails)

                        while (reader.Read())

                        {

                            OrderDetail detail = new OrderDetail

                            {

                                OrderDetailID = reader.GetInt32(0),

                                OrderID = reader.GetInt32(1),

                                ProductID = reader.GetInt32(2),

                                Quantity = reader.GetInt32(3),

                                Price = reader.GetDecimal(4)

                            };

                            // Find the corresponding order and add the detail

                            var order = orders.Find(o => o.OrderID == detail.OrderID);

                            if (order != null)

                            {

                                order.OrderDetails.Add(detail);

                            }

                        }

                    }

                }

            }

 

            // Output the results

            foreach (var order in orders)

            {

                Console.WriteLine($"Order ID: {order.OrderID}, Date: {order.OrderDate}, Customer ID: {order.CustomerID}");

                foreach (var detail in order.OrderDetails)

                {

                    Console.WriteLine($"  Detail ID: {detail.OrderDetailID}, Product ID: {detail.ProductID}, Quantity: {detail.Quantity}, Price: {detail.Price}");

                }

            }

            return orders;

        }

    }

}

Put Connection string in appsettins.json

"ConnectionStrings": {

    "DataConnection": "Server=DESKTOP-N7DJEG4\SQLEXPRESS;Database=StudentInfo;Trusted_Connection=True;"

  },

update program.cs

builder.Services.AddCors();

   builder.Services.AddScoped<IOrderRepository, OrderRepository>();

 app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

Create a controller

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

using OneToManyPasss.Models;

using OneToManyPasss.Repository;

 

namespace OneToManyPasss.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class ParentController : ControllerBase

    {

        private readonly IOrderRepository _repository;

        public ParentController(IOrderRepository repository)

        {

            _repository = repository;

        }

        [HttpGet]

        [Route("GetAllOneToManyRelationData")]

        public List<Order> GetAllOneToManyRelationData2()

        {

            List<Order> orders = new List<Order>();

            orders = _repository.GetAllOrderswithDetails();

            return orders;

        }

                }

}

ANGULAR PROJECT

Create 2 classes for one to many relation

order-details.ts

export class OrderDetail {

OrderID: number;

ProductID : number;

Quantity : number;

Price : number;

}

order.ts

import {OrderDetail} from './order-detail';

export class Order {

    OrderID?: number;

    OrderDate: Date;

    CustomerID: number;

    OrderDetails: OrderDetail[]; // One-to-Many Relationship

}

Create a service class file - order.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import { Order } from './order';

@Injectable({

  providedIn: 'root'

})

export class OrderService {

  private apiUrl = 'https://localhost:7256/api/Parent/GetAllOneToManyRelationData';

  constructor(private http: HttpClient) {}

  createOrder(order: Order[]): Observable<Order> {

    return this.http.post<Order>(this.apiUrl, order);

  }

GetAllOrderswithDetails():Observable<Order> {

  return this.http.get<Order>(this.apiUrl);

}

}

app.compoennt.ts

import { Component,OnInit } from '@angular/core';

import { OrderService } from './order.service';

import { Order  } from './order';

import {OrderItem} from './order-item'

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent 

{

  constructor(private orderService: OrderService) {}

   ngOnInit() {

 this.orderService.GetAllOrderswithDetails().subscribe(response => {

  console.log(response);

 });

    //

}

}

Run Both application.

This is a simple demo using Angular,Core Web API & Sql server. We are using Ado.Net & Stored procedures for data connectivity. For adding & updating we are using a seperate model dialog component.

 

Database

Create a table - Products

CREATE TABLE [dbo].[Products](

          [Id] [int] IDENTITY(1,1) NOT NULL,

          [Name] [varchar](100) NULL,

          [Price] [decimal](18, 2) NULL,

 CONSTRAINT [PK_Products] PRIMARY KEY CLUSTERED

(

          [Id] ASC

)

)

Stored Procedure for CRUD Operations

// TO SHOW ALL PRODUCTS

CREATE PROCEDURE [dbo].[GetAllProducts]

AS

BEGIN

          -- SET NOCOUNT ON added to prevent extra result sets from

          -- interfering with SELECT statements.

          SET NOCOUNT ON;

 

    -- Insert statements for procedure here

          SELECT Id,Name,Price from Products

END

 

TO ADD A NEW APRODUCT

 

CREATE PROCEDURE [dbo].[CreateProduct]

    @Name NVARCHAR(100),

    @Price DECIMAL(18,2)

AS

BEGIN

    INSERT INTO Products (Name, Price) VALUES (@Name, @Price);

    SELECT SCOPE_IDENTITY() AS Id;

END

 

FOR UPDATING A PARTICULAR PRODUCT

 

CREATE PROCEDURE [dbo].[UpdateProduct]

    @Id INT,

    @Name NVARCHAR(100),

    @Price DECIMAL(18,2)

AS

BEGIN

    UPDATE Products SET Name = @Name, Price = @Price WHERE Id = @Id;

END

 

FOR DELETING A PARTICULAR PRODUCT

 

CREATE PROCEDURE [dbo].[DeleteProduct]

    @Id INT

AS

BEGIN

    DELETE FROM Products WHERE Id = @Id;

END

 

CORE WEB API

 

CREATE A CLASS // FOR PRODUCT MODEL

 public class Product

    {

        public int Id { get; set; }

        public string Name { get; set; }

        public decimal Price { get; set; }

    }

CREATE A FOLDER - UTILITIES

CREATE A CLASS INSIDE THE FOLDER FOR CONVERTING DATASET TO LIST COLLECTION

using System.Data;

using System.Reflection;

 

namespace OneToManyPasss.Utilities

{

    public static class GenericConverter

    {

        public static List<T> ConvertDataTable<T>(DataTable dt)

        {

            List<T> data = new List<T>();

            foreach (DataRow row in dt.Rows)

            {

                T item = GetItem<T>(row);

                data.Add(item);

            }

            return data;

        }

        public static T GetItem<T>(DataRow dr)

        {

            Type temp = typeof(T);

            T obj = Activator.CreateInstance<T>();

 

            foreach (DataColumn column in dr.Table.Columns)

            {

                foreach (PropertyInfo pro in temp.GetProperties())

                {

                    if (pro.Name == column.ColumnName)

                        pro.SetValue(obj, dr[column.ColumnName], null);

                    else

                        continue;

                }

            }

            return obj;

        }

    }

}

 

CREATE A FOLDER - REPOSITORY

ADD AND INTERFACE AND A CLASS INSIDE THE FOLDER

CREATE AN INTERFACE

 

 public interface IProductRepository

    {

        public List<Product> GetAllProducts();

        public int CreateProduct(Product product);

        public void UpdateProduct(int id, Product product);

        public void DeleteProduct(int id);

 

    }

CREATE A CLASS WHICH IMPLEMENTS ABOVE INTERFACE

 public class ProductRepository : IProductRepository

    {

        private readonly string _connectionString;

        public ProductRepository(IConfiguration configuration)

        {

            _connectionString = configuration.GetConnectionString("DataConnection");

        }

        public List<Product> GetAllProducts()

        {

            List<Product> productlist = new List<Product>();  

            using (var connection = new SqlConnection(_connectionString))

            {

                connection.Open();

                SqlCommand command = new SqlCommand("GetAllProducts", connection);

                command.CommandType = CommandType.StoredProcedure;

                DataSet ds = new DataSet();

                SqlDataAdapter adp = new SqlDataAdapter(command);

                adp.Fill(ds);

                DataTable dt = ds.Tables[0];

                productlist = GenericConverter.ConvertDataTable<Product>(dt);

                return productlist;

            }

        }

        public int CreateProduct(Product product)

        {

            int id = 0;

            using (var connection = new SqlConnection(_connectionString))

            {

                connection.Open();

                var command = new SqlCommand("CreateProduct", connection);

                command.CommandType = CommandType.StoredProcedure;

                command.Parameters.AddWithValue("@Name", product.Name);

                command.Parameters.AddWithValue("@Price", product.Price);

                try

                {

                    command.ExecuteNonQuery();

                    id = 1;

                }

                catch(Exception ex)

                {

                    id = 2;

                    string error = ex.Message;

                }

              

                return id;

            }

 

        }

        public void UpdateProduct(int id, Product product)

        {

            using (var connection = new SqlConnection(_connectionString))

            {

                connection.Open();

                var command = new SqlCommand("UpdateProduct", connection);

                command.CommandType = CommandType.StoredProcedure;

                command.Parameters.AddWithValue("@Id", id);

                command.Parameters.AddWithValue("@Name", product.Name);

                command.Parameters.AddWithValue("@Price", product.Price);

                command.ExecuteNonQuery();

            }

        }

        public void DeleteProduct(int id)

        {

            using (var connection = new SqlConnection(_connectionString))

            {

                connection.Open();

                var command = new SqlCommand("DeleteProduct", connection);

                command.CommandType = CommandType.StoredProcedure;

                command.Parameters.AddWithValue("@Id", id);

                command.ExecuteNonQuery();

 

            }

        }

    }

Update appsettings.json for connection string

"ConnectionStrings": {

    "DataConnection": "Server=DESKTOP-N7DJEG4\SQLEXPRESS;Database=StudentInfo;Trusted_Connection=True;"

  },

Update program.cs

 builder.Services.AddCors();

 builder.Services.AddScoped<IProductRepository, ProductRepository>();

   app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

 

Create a controller

 

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

using OneToManyPasss.Models;

using OneToManyPasss.Repository;

using System.Data.SqlClient;

using System.Data;

 

namespace OneToManyPasss.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class ProductController : ControllerBase

    {

        private readonly IProductRepository _repository;

 

        public ProductController(IProductRepository repository)

        {

            _repository = repository;

        }

        [HttpGet]

        [Route("GetAllProducts")]

        public List<Product> GetAllProducts()

        {

            List<Product> products = new List<Product>();

            products =  _repository.GetAllProducts();

            return products;

        }

            [HttpPost]

        [Route("CreateProduct")]

        public IActionResult CreateProduct(Product product)

        {

            int id = _repository.CreateProduct(product);

            return Ok(new { Id = id });

        }

        //

        [HttpPost]

        [Route("UpdateProduct")]

        public IActionResult UpdateProduct(Product product)

        {

            int id = product.Id;

            _repository.UpdateProduct(id, product);

            return Ok();   

        }

        //

        [HttpPost]

        [Route("DeleteProduct")]

        public IActionResult DeleteProduct(Product product)

        {

            int id = product.Id;

            _repository.DeleteProduct(id);     

            return Ok();   

        }

        //

    }

}

ANGULAR PROJECT

INSTALL ANGULAR MATERIAL

 

Create an interface

export interface Product {

    id: number;

    name: string;

    price: number;

}

Create Service class file for data connectivity

product.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import { Product } from './product';

 

@Injectable({

  providedIn: 'root'

})

export class ProductService {

  path:any;

  apiUrl:any;

  private connectionurl = "https://localhost:7256/api/";

  //private apiUrl = 'https://localhost:7256/api/Product';

 

    constructor(private http: HttpClient) {}

 

    getProducts(): Observable<Product[]> {

      this.path = 'Product/GetAllProducts';

      this.apiUrl = '';

      this.apiUrl = this.connectionurl + this.path;

      return this.http.get<Product[]>(this.apiUrl);

    }

    createProduct(product: Product): Observable<Product> {

      this.path = 'Product/CreateProduct';

      this.apiUrl = '';

      this.apiUrl = this.connectionurl + this.path;

             return  this.http.post<Product>(this.apiUrl, product);

    }

    updateProduct(product: Product): Observable<any> {

      this.path = 'Product/UpdateProduct';

      this.apiUrl = '';

      this.apiUrl = this.connectionurl + this.path;

      return  this.http.post(this.apiUrl, product);

    }

    deleteProduct(product: Product): Observable<any> {

      this.path = 'Product/DeleteProduct';

      this.apiUrl = '';

      this.apiUrl = this.connectionurl + this.path;

       return this.http.post(this.apiUrl,product);

    }

}

Now we need 2 components - One for display & Delete data and other for adding & updating the data.

product-dialog.component.ts  (for adding & updating)

import { Component, Inject } from '@angular/core';

import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';

import { Product } from '../product';

@Component({

  selector: 'app-product-dialog',

  templateUrl: './product-dialog.component.html',

  styleUrls: ['./product-dialog.component.css']

})

export class ProductDialogComponent {

  product: Product = { id: 0, name: '', price: 0 };

  constructor(

      public dialogRef: MatDialogRef<ProductDialogComponent>,

      @Inject(MAT_DIALOG_DATA) public data: Product

  ) {

      if (data) {

          this.product = data;

      }

  }

  onCancel(): void {

      this.dialogRef.close();

  }

}

product.dialog.component.html

<h2>{{ product.id ? 'Edit Product' : 'Add Product' }}</h2>

<mat-dialog-content>

    <mat-form-field>

        <input matInput [(ngModel)]="product.name" placeholder="Name">

    </mat-form-field>

    <mat-form-field>

        <input matInput [(ngModel)]="product.price" placeholder="Price" type="number">

    </mat-form-field>

</mat-dialog-content>

<mat-dialog-actions>

    <button mat-button (click)="onCancel()">Cancel</button>

    <button mat-button [mat-dialog-close]="product">Save</button>

</mat-dialog-actions>

 

product.component.ts  (For display & Delete)

 

import { Component, OnInit } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { ProductService } from '../product.service';

import { Product } from '../product';

import { MatDialog } from '@angular/material/dialog';

import {ProductDialogComponent} from '../product-dialog/product-dialog.component';

@Component({

  selector: 'app-product',

  templateUrl: './product.component.html',

  styleUrls: ['./product.component.css']

})

export class ProductComponent implements OnInit {

  displayedColumns: string[] = ['id', 'name', 'price', 'actions'];

  dataSource = new MatTableDataSource<Product>();

 

  constructor(private productService: ProductService, private dialog: MatDialog) {}

  ngOnInit(): void {

      this.loadProducts();

  }

  loadProducts(): void {

      this.productService.getProducts().subscribe(data => {

          this.dataSource.data = data;

      });

  }

  openDialog(product?: Product): void {

      const dialogRef = this.dialog.open(ProductDialogComponent, {

          width: '250px',

          data: product ? { ...product } : null

      });

      dialogRef.afterClosed().subscribe(result => {

          if (result) {

              if (result.id) {

                  this.productService.updateProduct(result).subscribe(() => this.loadProducts());

              } else {

                  this.productService.createProduct(result).subscribe(() => this.loadProducts());

              }

          }

      });

  }

  deleteProduct(product:Product): void {

    if (confirm(`Are you sure you want to delete ${product.id}?`)) {

      this.productService.deleteProduct(product).subscribe(() => this.loadProducts());

  }

    }

}

product.component.html

<table mat-table [dataSource]="dataSource">

    <ng-container matColumnDef="id">

        <th mat-header-cell *matHeaderCellDef>ID</th>

        <td mat-cell *matCellDef="let element">{{ element.id }}</td>

    </ng-container>

    <ng-container matColumnDef="name">

        <th mat-header-cell *matHeaderCellDef>Name</th>

        <td mat-cell *matCellDef="let element">{{ element.name }}</td>

    </ng-container>

    <ng-container matColumnDef="price">

        <th mat-header-cell *matHeaderCellDef>Price</th>

        <td mat-cell *matCellDef="let element">{{ element.price }}</td>

    </ng-container>

    <ng-container matColumnDef="actions">

        <th mat-header-cell *matHeaderCellDef>Actions</th>

        <td mat-cell *matCellDef="let element">

            <button mat-button (click)="openDialog(element)">Edit</button>

            <button mat-button (click)="deleteProduct(element)">Delete</button>

        </td>

    </ng-container>

    <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

    <tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr>

</table>

<button mat-button (click)="openDialog()">Add Product</button>

app.component.html

<app-product>

</app-product>

update app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatDialogModule } from '@angular/material/dialog';

import {MatFormFieldModule} from '@angular/material/form-field';

import {ProductComponent} from './product/product.component';

import {ProductDialogComponent} from './product-dialog/product-dialog.component';

import { FormsModule } from '@angular/forms';

import { MatTableModule } from '@angular/material/table';

import { HttpClientModule } from '@angular/common/http';

import { MatInputModule } from '@angular/material/input';

@NgModule({

  declarations: [

    AppComponent,

    ProductComponent,

    ProductDialogComponent,

   

  ],

  imports: [

    BrowserModule,

    BrowserAnimationsModule,

    MatDialogModule,

    MatFormFieldModule,

    FormsModule,

    MatTableModule,

    HttpClientModule,

    MatInputModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

 

We are creating a combo box in which we can search a particular word and the data containing that word will be filtered. For demo purpose, we are using hard coded values in Core web api.

Core Web API project

Create a class in Models folder

Item.cs

 public class Item

    {

        public int Id { get; set; }

        public string Name { get; set; }

    }

Create a Controller

using FilterableComboBox.Models;

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Http.Features;

using Microsoft.AspNetCore.Mvc;

 

namespace FilterableComboBox.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class FiltarableComboController : ControllerBase

    {

 

        [HttpGet]

        [Route("GetItems")]

        public List<Item> GetItems()

        {

            return _items;

        }

        private readonly List<Item> _items = new List<Item>

    {

        new Item { Id = 1, Name = "antony" },

        new Item { Id = 2, Name = "samson" },

        new Item { Id = 3, Name = "amstrong" },

        new Item { Id = 1, Name = "sanju" },

        new Item { Id = 2, Name = "boss" },

        new Item { Id = 3, Name = "boche" }

    };

    }

}

Update program.cs

  builder.Services.AddCors();

app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

 

Angular project

 

Install Angular material module

Install ngx-mat-select-search library.

This library is for searching / filtering MatSelect options of the Angular Material library.

 

Create a class file - Item.ts

export interface Item {

    id: number;

    name: string;

  

}

Create a service class file

item.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import { Item } from './item';

 

@Injectable({

  providedIn: 'root'

})

export class ItemService {

  private apiUrl = 'https://localhost:7042/api/FiltarableCombo/GetItems';

// change url according to your url.

  constructor(private http: HttpClient) { }

 

  getItems(): Observable<Item[]> {

    return this.http.get<Item[]>(this.apiUrl);

  }

}

 

Create a component

item-select.component.ts

import { Component, OnInit } from '@angular/core';

import { ItemService } from '../item.service';

import { Item } from '../item';

import { FormControl } from '@angular/forms';

import { Observable } from 'rxjs';

import { startWith, map } from 'rxjs/operators';

 

@Component({

  selector: 'app-item-select',

  templateUrl: './item-select.component.html',

  styleUrls: ['./item-select.component.css']

})

export class ItemSelectComponent implements OnInit  {

  selectedValue: any;

  items: Item[] = [];

  searchControl = new FormControl();

  filteredOptions:any;

  options:any;

 

  constructor(private itemService: ItemService) { }

  ngOnInit(): void {

    //

    this.itemService.getItems().subscribe(data => {

      this.items = data;

      this.filteredOptions = data;

      this.options = data;

    });

    //

    // Subscribe to value changes in the search input

    this.searchControl.valueChanges.subscribe((value) => {

     console.log('hai');

      this.filteredOptions = this.filterOptions(value);

    });

  }

  // Function to filter options based on the search input

  filterOptions(query: string) {

 

    return this.options.filter((option) =>

      option.name.toLowerCase().startsWith(query.toLowerCase())  // it will filter data which starts with this word.

      //option.name.toLowerCase().includes(query.toLowerCase())  // if data contains this word, those data will be filtered

    );

  }

}

 

item-select.component.html

<mat-form-field appearance="outline">

  <mat-label>Select an Item</mat-label>

  <mat-select [formControl]="searchControl">

    <mat-option>

    <ngx-mat-select-search [formControl]="searchControl" placeholderLabel="Search..." noEntriesFoundLabel="No results found">

    </ngx-mat-select-search>

    </mat-option>

    <mat-option *ngFor="let item of filteredOptions" [value]="item.id">

      {{ item.name }}

    </mat-option>

  </mat-select>

</mat-form-field>

app.component.html

<app-item-select>

  </app-item-select>

 

app.module.ts

 

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppRoutingModule } from './app-routing.module';

import { AppComponent } from './app.component';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { HttpClientModule } from '@angular/common/http';

import { MatFormFieldModule } from '@angular/material/form-field';

import { MatInputModule } from '@angular/material/input';

import { NgxMatSelectSearchModule } from 'ngx-mat-select-search';

import { MatSelectModule } from '@angular/material/select';

import { FormsModule } from '@angular/forms';

import { MatTableModule } from '@angular/material/table';

import {ItemSelectComponent} from './item-select/item-select.component';

import { ReactiveFormsModule } from '@angular/forms';

 

@NgModule({

  declarations: [

    AppComponent,

    ItemSelectComponent

 

  ],

  imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule,

    HttpClientModule,

    MatFormFieldModule,

    MatInputModule,

    NgxMatSelectSearchModule,

    MatSelectModule,

    FormsModule,

    MatTableModule,

    ReactiveFormsModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

 

Install Angular material module

Create a class file - my-dialog-data.interface.ts

export interface MyDialogData {

    title: string;

    message: string;

  }

Create 2 component - one for parent and other for dialog

my-dialog.component.ts

import { Component, Inject } from '@angular/core';

import { MAT_DIALOG_DATA, MatDialogRef } from '@angular/material/dialog';

import { MyDialogData } from '../my-dialog-data.interface';

 

@Component({

  selector: 'app-my-dialog',

  templateUrl: './my-dialog.component.html',

  styleUrls: ['./my-dialog.component.css']

})

export class MyDialogComponent {

  constructor(

    public dialogRef: MatDialogRef<MyDialogComponent>,

    @Inject(MAT_DIALOG_DATA) public data: MyDialogData // Inject data here

  ) {}

 

  closeDialog() {

    this.dialogRef.close('Some data returned to the parent');

  }

}

my-dialog.component.html

<h2>{{ data.title }}</h2>

<p>{{ data.message }}</p>

<button (click)="closeDialog()">Close</button>

parent.component.ts

import { Component } from '@angular/core';

import { MatDialog } from '@angular/material/dialog';

import { MyDialogComponent } from '../my-dialog/my-dialog.component';

import { MyDialogData } from '../my-dialog-data.interface';

 

@Component({

  selector: 'app-parent',

  templateUrl: './parent.component.html',

  styleUrls: ['./parent.component.css']

})

export class ParentComponent {

  constructor(private dialog: MatDialog) {}

 

  openDialog() {

    const dialogData: MyDialogData = {

      title: 'Hello',

      message: 'This is a message from the parent component.',

    };

 

    const dialogRef = this.dialog.open(MyDialogComponent, {

      data: dialogData, // Pass data here

    });

 

    dialogRef.afterClosed().subscribe(result => {

      console.log('Dialog closed with result:', result);

    });

  }

}

parent.component.html

<button (click)="openDialog()">Open Dialog</button>

app.component.html

<app-parent></app-parent>

app.module.ts

import { MatDialogModule } from '@angular/material/dialog';

imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule,

    MatDialogModule

  ],

Install Angular material module

Create 2 components - Parent,Dialog

dialog.component.ts

import { Component, Inject } from '@angular/core';

import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';

 

 

@Component({

  selector: 'app-dialog',

  templateUrl: './dialog.component.html',

  styleUrls: ['./dialog.component.css']

})

export class DialogComponent {

 

  constructor(

    public dialogRef: MatDialogRef<DialogComponent>,

    @Inject(MAT_DIALOG_DATA) public data: any

  ) {}

 

  sendData() {

    this.dialogRef.close('This is the returned data');  // Closing and sending data

  }

 

  closeWithoutData() {

    this.dialogRef.close(); // Closing without sending data

  }

}

dialog.component.html

<h2 mat-dialog-title>Dialog</h2>

<mat-dialog-content>

  <p>Data received: {{ data?.message }}</p>

</mat-dialog-content>

<mat-dialog-actions align="end">

  <button mat-button (click)="closeWithoutData()">Close</button>

  <button mat-button (click)="sendData()">Send Data</button>

</mat-dialog-actions>

 

parent.component.ts

import { Component } from '@angular/core';

import { MatDialog } from '@angular/material/dialog';

import { DialogComponent } from '../dialog/dialog.component';

 

@Component({

  selector: 'app-parent',

  templateUrl: './parent.component.html',

  styleUrls: ['./parent.component.css']

})

export class ParentComponent {

  receivedData: any;  // Variable to store received data

 

  constructor(public dialog: MatDialog) {}

 

  openDialog() {

    const dialogRef = this.dialog.open(DialogComponent, {

      width: '300px',

      data: { message: 'Send some initial data' } // Optional data

    });

 

    dialogRef.afterClosed().subscribe(result => {

      if (result) {

        this.receivedData = result;  // Store the received data

        console.log('Received from dialog:', result);

      }

    });

  }

}

parent.compoennt.html

<button (click)="openDialog()">Open Dialog</button>

 

<p *ngIf="receivedData">Received Data: {{ receivedData }}</p>

 

app.component.html

<app-parent>

  </app-parent>

app.module.ts

import { MatDialogModule } from '@angular/material/dialog';

imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule,

    MatDialogModule

 

  ],

For demo purposes, we are using hard coded values in core web api.

Core API project

Create a class - Product.cs in Models folder

 public class Product

    {

        public int Id { get; set; }

        public string Name { get; set; }

        public decimal Price { get; set; }

    }

Create a Controller - FilteredMatTableController

using FilterableComboBox.Models;

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

namespace FilterableComboBox.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class FilteredMatTableController : ControllerBase

    {

        [HttpGet]

        [Route("GetAllProducts")]

        public IActionResult GetAllProducts()

        {

            var products = new List<Product>

        {

            new Product { Id = 1, Name = "Samsung", Price = 100 },

            new Product { Id = 2, Name = "LG", Price = 200 },

            new Product { Id = 3, Name = "Sony", Price = 300 },

            new Product { Id = 1, Name = "Akai", Price = 400 },

            new Product { Id = 2, Name = "Sansui", Price = 500 },

            new Product { Id = 3, Name = "Videocon", Price = 600 }

 

        };

            return Ok(products);

        }

    }

}

update program.cs

   builder.Services.AddCors();

  app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

 

Angular Project

Install Angular material module

 

Create a service class file

product.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

export interface Product {

  id: number;

  name: string;

  price: number;

}

@Injectable({

  providedIn: 'root'

})

export class ProductService {

  private apiUrl = 'https://localhost:7042/api/FilteredMatTable/GetAllProducts';

  constructor(private http: HttpClient) {}

  getProducts(): Observable<Product[]> {

    return this.http.get<Product[]>(this.apiUrl);

  }

}

Create a componnent -

product-list.component.ts

import { Component, OnInit } from '@angular/core';

import { ProductService, Product } from '../product.service';

import { MatTableDataSource } from '@angular/material/table';

 

@Component({

  selector: 'app-product-list',

  templateUrl: './product-list.component.html',

  styleUrls: ['./product-list.component.css']

})

export class ProductListComponent implements OnInit {

  displayedColumns: string[] = ['id', 'name', 'price'];

  dataSource = new MatTableDataSource<Product>();

filterstring: any;

  constructor(private productService: ProductService) {}

 

  ngOnInit(): void {

    this.productService.getProducts().subscribe(data => {

      this.dataSource.data = data;

    });

  }

  applyFilter(event: Event) {

    const filterValue = (event.target as HTMLInputElement).value;

    console.log(filterValue);

    console.log(this.dataSource.filteredData);

    this.filterstring = filterValue;

this.dataSource.filter = filterValue.trim().toLowerCase();

  }

}

product-list.component.html

<div>

    <input matInput (keyup)="applyFilter($event)" placeholder="Filter">

  </div>

    <table mat-table [dataSource]="dataSource" class="mat-elevation-z8">

    <!-- ID Column -->

    <ng-container matColumnDef="id">

      <th mat-header-cell *matHeaderCellDef>ID</th>

      <td mat-cell *matCellDef="let product">{{ product.id }}</td>

    </ng-container>

 

    <!-- Name Column -->

    <ng-container matColumnDef="name">

      <th mat-header-cell *matHeaderCellDef>Name</th>

      <td mat-cell *matCellDef="let product">{{ product.name }}</td>

    </ng-container>

 

    <!-- Price Column -->

    <ng-container matColumnDef="price">

      <th mat-header-cell *matHeaderCellDef>Price</th>

      <td mat-cell *matCellDef="let product">{{ product.price }}</td>

    </ng-container>

 

    <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

    <tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr>

  </table>

app.component.html

<app-product-list></app-product-list>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppRoutingModule } from './app-routing.module';

import { AppComponent } from './app.component';

import { ProductListComponent } from './product-list/product-list.component';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatTableModule } from '@angular/material/table';

import { MatInputModule } from '@angular/material/input';

import { MatFormFieldModule } from '@angular/material/form-field';

import { HttpClientModule } from '@angular/common/http';

 

@NgModule({

  declarations: [

    AppComponent,

    ProductListComponent

  ],

  imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule,

    MatTableModule,

    MatInputModule,

    MatFormFieldModule,

    HttpClientModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

Core Web API Project

Create  a class file in Models folder - Bike.cs

 public class Bike

    {

        public int Id { get; set; }

        public string Name { get; set; }

    }

Create a Controller - RadioButtonListController

using FilterableComboBox.Models;

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

 

namespace FilterableComboBox.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class RadioButtonListController : ControllerBase

    {

        [HttpGet]

        [Route("GetBikes")]

        public IActionResult GetBikes()

        {

            var Bikes = new List<Bike>

            {

                new Bike { Id = 1, Name = "TVS" },

                new Bike { Id = 2, Name = "Suzuki" },

                new Bike { Id = 3, Name = "Bajaj" },

                new Bike { Id = 4, Name = "BMW" },

                new Bike { Id = 5, Name = "Yamaha" },

                new Bike { Id = 6, Name = "Honda" }

            };

 

            return Ok(Bikes);

        }

    }

}

update Program.cs

 builder.Services.AddCors();

  app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

Angular Project

 

install Angular Material Module

Create a service file

item.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

export interface Bike {

  id: number;

  name: string;

}

 

@Injectable({

  providedIn: 'root'

})

export class ItemService {

  private apiUrl = 'https://localhost:7042/api/RadioButtonList/GetBikes'; // Replace with your API URL

  constructor(private http: HttpClient) { }

  getItems(): Observable<Bike[]> {

    return this.http.get<Bike[]>(this.apiUrl);

  }

}

Create a Component - ItemListComponent

item-list.component.ts

 

import { Component, OnInit } from '@angular/core';

import { ItemService, Bike } from '../item.service';

 

@Component({

  selector: 'app-item-list',

  templateUrl: './item-list.component.html',

  styleUrls: ['./item-list.component.css']

})

export class ItemListComponent implements OnInit {

  items: Bike[] = [];

  selectedItem: number | null = null;

  constructor(private itemService: ItemService) { }

  ngOnInit(): void {

    this.itemService.getItems().subscribe(data => {

      this.items = data;

    });

  }

  onItemChange(itemId: number): void {

    this.selectedItem = itemId;

  }

}

item-list.component.html

<!-- item-list.component.html -->

<mat-radio-group [(ngModel)]="selectedItem">

    <mat-radio-button *ngFor="let item of items" [value]="item.id" (change)="onItemChange(item.id)">

      {{ item.name }}

    </mat-radio-button>

  </mat-radio-group>

    <p *ngIf="selectedItem !== null">Selected Item ID: {{ selectedItem }}</p>

app.component.html

<app-item-list></app-item-list>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { FormsModule } from '@angular/forms';

import { HttpClientModule } from '@angular/common/http';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatRadioModule } from '@angular/material/radio';

import { AppComponent } from './app.component';

import { ItemListComponent } from './item-list/item-list.component';

 

@NgModule({

  declarations: [

    AppComponent,

    ItemListComponent

  ],

  imports: [

    BrowserModule,

    FormsModule,

    HttpClientModule,

    BrowserAnimationsModule,

    MatRadioModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

 

Core Web API project

Create a  class - Bike.cs in models folder

 public class Bike

    {

        public int Id { get; set; }

        public string Name { get; set; }

    }

Create a Controller - RadioButtonListController

RadioButtonListController.cs

using FilterableComboBox.Models;

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

namespace FilterableComboBox.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class RadioButtonListController : ControllerBase

    {

        [HttpGet]

        [Route("GetBikes")]

        public IActionResult GetBikes()

        {

            var Bikes = new List<Bike>

            {

                new Bike { Id = 1, Name = "TVS" },

                new Bike { Id = 2, Name = "Suzuki" },

                new Bike { Id = 3, Name = "Bajaj" },

                new Bike { Id = 4, Name = "BMW" },

                new Bike { Id = 5, Name = "Yamaha" },

                new Bike { Id = 6, Name = "Honda" }

            };

            return Ok(Bikes);

        }

    }

}

Update program.cs

 builder.Services.AddCors();

 app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

 

Angular Project

Install Angular material module

create  service class file

item.service.ts

 

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

export interface Bike {

  id: number;

  name: string;

}

@Injectable({

  providedIn: 'root'

})

export class ItemService {

  private apiUrl = 'https://localhost:7042/api/RadioButtonList/GetBikes'; // Replace with your API URL

  constructor(private http: HttpClient) { }

  getItems(): Observable<Bike[]> {

    return this.http.get<Bike[]>(this.apiUrl);

  }

}

Create a component -

checkbox-list.component.ts

import { Component,OnInit } from '@angular/core';

import { FormArray, FormBuilder, FormControl, FormGroup } from '@angular/forms';

import { HttpClient } from '@angular/common/http';

import { ItemService } from '../item.service';

interface Bike {

  id: number;

  name: string;

  selected: boolean;

  }

@Component({

  selector: 'app-checkbox-list',

  templateUrl: './checkbox-list.component.html',

  styleUrls: ['./checkbox-list.component.css']

})

export class CheckboxListComponent implements OnInit {

  checkboxForm: FormGroup;

  options: any;

  constructor(private fb: FormBuilder,private itemService:ItemService) {

    this.checkboxForm = this.fb.group({

      selectedOptions: this.fb.array([]) // FormArray to hold checked values

    });

  }

  ngOnInit(): void {

    this.itemService.getItems().subscribe(data => {

      this.options = data;

    });

  }

  // Getter for easy access

  get selectedOptions() {

    return this.checkboxForm.get('selectedOptions') as FormArray;

  }

  onCheckboxChange(event: any, option: any) {

    if (event.checked) {

      this.selectedOptions.push(this.fb.control(option));

    } else {

      const index = this.selectedOptions.controls.findIndex(x => x.value.id === option.id);

      this.selectedOptions.removeAt(index);

    }

  }

  submitForm() {

    console.log(this.checkboxForm.value.selectedOptions);

  }

}

checkbox-list.component.html

<form [formGroup]="checkboxForm" (ngSubmit)="submitForm()">

    <mat-checkbox *ngFor="let option of options" (change)="onCheckboxChange($event, option)">

      {{ option.name }}

    </mat-checkbox>

      <button type="submit" mat-raised-button color="primary">Submit</button>

  </form>

  app.component.html

<app-checkbox-list></app-checkbox-list>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppRoutingModule } from './app-routing.module';

import { AppComponent } from './app.component';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { CheckboxListComponent } from './checkbox-list/checkbox-list.component';

import { ReactiveFormsModule, FormsModule } from '@angular/forms';

import { HttpClientModule } from '@angular/common/http';

import { MatCheckboxModule } from '@angular/material/checkbox';

 

@NgModule({

  declarations: [

    AppComponent,

    CheckboxListComponent

  ],

  imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule,

    HttpClientModule,

    ReactiveFormsModule,

    FormsModule,

    MatCheckboxModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

 

Database (Sql server)

Create 2 tables

CREATE TABLE [dbo].[Orders](

          [OrderID] [int] NOT NULL,

          [OrderDate] [date] NULL,

          [CustomerID] [int] NULL,

          [CustomerName] [varchar](50) NULL,

 CONSTRAINT [PK_Orders] PRIMARY KEY CLUSTERED

(

          [OrderID] ASC

)

)

 

CREATE TABLE [dbo].[OrderDetails](

          [OrderDetailID] [int] NULL,

          [OrderID] [int] NULL,

          [ProductID] [int] NULL,

          [Quantity] [int] NULL,

          [Price] [decimal](18, 0) NULL,

          [ProductName] [varchar](50) NULL

)

Stored procedure for display both

CREATE PROCEDURE [dbo].[GetOrdersWithDetails2]

AS

BEGIN

    -- First result set: Orders

    SELECT OrderID, OrderDate, CustomerID,CustomerName

    FROM Orders;

    -- Second result set: OrderDetails

    SELECT OrderDetailID, OrderID, ProductID, Quantity, Price,ProductName

    FROM OrderDetails;

END

 

Core Web API Project

Create 2 class files for one to many relation in Models folder.

 public class OrderDetail

    {

        public int OrderDetailID { get; set; }

        public int OrderID { get; set; }

        public string ProductName { get; set; }

        public int ProductID { get; set; }

        public int Quantity { get; set; }

        public decimal Price { get; set; }

    }

public class Order

    {

        public int OrderID { get; set; }

        public string CustomerName { get; set; }

        public DateTime OrderDate { get; set; }

        public int CustomerID { get; set; }

        public List<OrderDetail> OrderDetails { get; set; } = new List<OrderDetail>();

    }

Create a folder - Repository

Create one interface & class file for data access

IOrderRepository.cs

using OneToManyPasss.Models;

namespace OneToManyPasss.Repository

{

    public interface IOrderRepository

    {

        public List<Order> GetAllOrderswithDetails();

    }

}

OrderRepository.cs

using OneToManyPasss.Models;

using OneToManyPasss.Utilities;

using System.Data;

using System.Data.SqlClient;

namespace OneToManyPasss.Repository

{

    public class OrderRepository : IOrderRepository

    {

        private readonly string _connectionString;

        public OrderRepository(IConfiguration configuration)

        {

            _connectionString = configuration.GetConnectionString("DataConnection");

        }

        public List<Order> GetAllOrderswithDetails()

        {

            List<Order> orders = new List<Order>();

            using (SqlConnection connection = new SqlConnection(_connectionString))

            {

                connection.Open();

                // Create a command to execute the stored procedure

                using (SqlCommand command = new SqlCommand("GetOrdersWithDetails2", connection))

                {

                    command.CommandType = CommandType.StoredProcedure;

                    // Execute the command and read the results

                    using (SqlDataReader reader = command.ExecuteReader())

                    {

                        // Read the first result set (Orders)

                        while (reader.Read())

                        {

                            Order order = new Order

                            {

                                OrderID = reader.GetInt32(0),

                                OrderDate = reader.GetDateTime(1),

                                CustomerID = reader.GetInt32(2),

                                CustomerName = reader.GetString(3),

                            };

                            orders.Add(order);

                        }

                        // Move to the next result set (OrderDetails)

                        reader.NextResult();

                        // Read the second result set (OrderDetails)

                        while (reader.Read())

                        {

                            OrderDetail detail = new OrderDetail

                            {

                                OrderDetailID = reader.GetInt32(0),

                                OrderID = reader.GetInt32(1),

                                ProductID = reader.GetInt32(2),

                                Quantity = reader.GetInt32(3),

                                Price = reader.GetDecimal(4),

                                ProductName = reader.GetString(5),     

                            };

                            // Find the corresponding order and add the detail

                            var order = orders.Find(o => o.OrderID == detail.OrderID);

                            if (order != null)

                            {

                                order.OrderDetails.Add(detail);

                            }

                        }

                    }

                }

            }

            // Output the results

            foreach (var order in orders)

            {

                Console.WriteLine($"Order ID: {order.OrderID}, Date: {order.OrderDate}, Customer ID: {order.CustomerID}");

                foreach (var detail in order.OrderDetails)

                {

                    Console.WriteLine($"  Detail ID: {detail.OrderDetailID}, Product ID: {detail.ProductID}, Quantity: {detail.Quantity}, Price: {detail.Price}");

                }

            }

            return orders;

        }

    }

}

update appsettings.json

"ConnectionStrings": {

    "DataConnection": "Server=DESKTOP-N7DJEG4\SQLEXPRESS;Database=StudentInfo;Trusted_Connection=True;"

  },

update program.cs

  builder.Services.AddCors();

  builder.Services.AddScoped<IOrderRepository, OrderRepository>();

  app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

 

Angular Project

 

Install Angular material module

Create 2 interfaces for one to many relation data.

order-item.ts

export class OrderItem {

    id?: number;

    productName: string;

    quantity: number;

    price: number;

    orderId?: number; // Foreign Key

}

order.ts

import {OrderDetail} from './order-detail';

export class Order {

    OrderID?: number;

    OrderDate: Date;

    CustomerID: number;

    CustomerName : string;

    OrderDetails: OrderDetail[]; // One-to-Many Relationship

}

Create a service class file -

order.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import { Order } from './order';

 

@Injectable({

  providedIn: 'root'

})

export class OrderService {

  private apiUrl = 'https://localhost:7256/api/Parent/GetAllOneToManyRelationData';

  constructor(private http: HttpClient) {}

  createOrder(order: Order[]): Observable<Order> {

    return this.http.post<Order>(this.apiUrl, order);

  }

GetAllOrderswithDetails():Observable<Order> {

  return this.http.get<Order>(this.apiUrl);

}

}

app.component.ts

 

import { Component,OnInit } from '@angular/core';

import { OrderService } from './order.service';

import { Order  } from './order';

import {OrderItem} from './order-item'

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent 

{

 parents: any;

  constructor(private orderService: OrderService) {}

   ngOnInit() {

 this.orderService.GetAllOrderswithDetails().subscribe(response => {

  this.parents = response;

 });

    }

}

 

  app.component.html

 

<mat-accordion>

    <mat-expansion-panel *ngFor="let parent of parents">

      <mat-expansion-panel-header>

        <mat-panel-title>

          {{ parent.customerName }}

        </mat-panel-title>

        <mat-panel-description>

            Click to view details

          </mat-panel-description>

      </mat-expansion-panel-header>

      <ul>

        <li *ngFor="let child of parent.orderDetails">

            {{ child.productName }} - Quantity: {{ child.quantity }}

          

        </li>

      </ul>

    </mat-expansion-panel>

  </mat-accordion>

 

app.module.ts

 

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

import { HttpClientModule } from '@angular/common/http';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatAccordion, MatExpansionModule } from '@angular/material/expansion';

import { MatListModule } from '@angular/material/list';

@NgModule({

  declarations: [

    AppComponent,

    ],

  imports: [

    BrowserModule,

    HttpClientModule,

    BrowserAnimationsModule,

       MatExpansionModule,

    MatListModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

Install Bootstrap

npm install bootstrap

update angular.json file

 

"styles": [

  "src/styles.css",

  "node_modules/bootstrap/dist/css/bootstrap.min.css"

],

 

Install Angular Material Module

ng add @angular/material

We have to add 2 components

EditDialogComponent

edit-dialog.component.ts

import { Component, Inject } from '@angular/core';

import { MatDialogRef, MAT_DIALOG_DATA } from '@angular/material/dialog';

 

@Component({

  selector: 'app-edit-dialog',

  templateUrl: './edit-dialog.component.html',

  styleUrls: ['./edit-dialog.component.css'],

})

export class EditDialogComponent {

  constructor(

    public dialogRef: MatDialogRef<EditDialogComponent>,

    @Inject(MAT_DIALOG_DATA) public data: any

  ) {}

 

  onNoClick(): void {

    this.dialogRef.close();

  }

}

edit-dialog.component.html

<p>edit-dialog works!</p>

<h2 mat-dialog-title>{{ data.id ? 'Edit' : 'Add' }} User</h2>

<mat-dialog-content>

  <form>

    <div class="form-group">

      <label for="name">Name</label>

      <input type="text" class="form-control" [(ngModel)]="data.name" name="name" />

    </div>

    <div class="form-group">

      <label for="email">Email</label>

      <input type="email" class="form-control" [(ngModel)]="data.email" name="email" />

    </div>

  </form>

</mat-dialog-content>

<mat-dialog-actions>

  <button class="btn btn-secondary" (click)="onNoClick()">Cancel</button>

  <button class="btn btn-primary" [mat-dialog-close]="data">Save</button>

</mat-dialog-actions>

DataTableComponent

data-table.component.ts

import { Component, OnInit } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { MatDialog } from '@angular/material/dialog';

import { EditDialogComponent } from '../edit-dialog/edit-dialog.component';

export interface UserData {

  id: number;

  name: string;

  email: string;

}

const ELEMENT_DATA: UserData[] = [

  { id: 1, name: 'John Doe', email: 'john@example.com' },

  { id: 2, name: 'Mel Gibson', email: 'mel@example.com' },

  { id: 3, name: 'Roger Moore', email: 'roger@example.com' },

];

@Component({

  selector: 'app-data-table',

  templateUrl: './data-table.component.html',

  styleUrls: ['./data-table.component.css'],

})

export class DataTableComponent  {

  displayedColumns: string[] = ['id', 'name', 'email', 'actions'];

  dataSource = new MatTableDataSource<UserData>(ELEMENT_DATA);

  constructor(public dialog: MatDialog) {}

  applyFilter(event: Event) {

    const filterValue = (event.target as HTMLInputElement).value;

    this.dataSource.filter = filterValue.trim().toLowerCase();

  }

  deleteItem(element: UserData): void {

    this.dataSource.data = this.dataSource.data.filter((item) => item.id !== element.id);

  } 

  openEditDialog(element: UserData): void {

    const dialogRef = this.dialog.open(EditDialogComponent, {

      width: '400px',

      data: { ...element },

    });

      dialogRef.afterClosed().subscribe((result) => {

      if (result) {

        // Update the table data here

        const index = this.dataSource.data.findIndex((item) => item.id === result.id);

        this.dataSource.data[index] = result;

        this.dataSource._updateChangeSubscription();

      }

    });

  }

}

data-table.component.html

<div class="container mt-4">

    <input

      class="form-control mb-3"

      (input)="applyFilter($event)"

      placeholder="Search"

    />

      <table style="background-color:aqua;" mat-table [dataSource]="dataSource" class="mat-elevation-z8">

         <!-- ID Column -->

      <ng-container matColumnDef="id">

        <th mat-header-cell *matHeaderCellDef>ID</th>

        <td mat-cell *matCellDef="let element">{{ element.id }}</td>

      </ng-container>

 

      <!-- Name Column -->

      <ng-container matColumnDef="name">

        <th mat-header-cell *matHeaderCellDef>Name</th>

        <td mat-cell *matCellDef="let element">{{ element.name }}</td>

      </ng-container>

 

      <!-- Email Column -->

      <ng-container matColumnDef="email">

        <th mat-header-cell *matHeaderCellDef>Email</th>

        <td mat-cell *matCellDef="let element">{{ element.email }}</td>

      </ng-container>

 

      <!-- Actions Column -->

      <ng-container matColumnDef="actions">

        <th mat-header-cell *matHeaderCellDef>Actions</th>

        <td mat-cell *matCellDef="let element">

          <button class="btn btn-primary btn-sm me-2" (click)="openEditDialog(element)">Edit</button>

          <button class="btn btn-danger btn-sm" (click)="deleteItem(element)">Delete</button>

        </td>

      </ng-container>

 

      <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

      <tr mat-row *matRowDef="let row; columns: displayedColumns"></tr>

    </table>

  </div>

app.component.html

<app-data-table></app-data-table>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppRoutingModule } from './app-routing.module';

import { AppComponent } from './app.component';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatTableModule } from '@angular/material/table';

import { MatButtonModule } from '@angular/material/button';

import { MatIconModule } from '@angular/material/icon';

import { MatDialogModule } from '@angular/material/dialog';

import { MatFormFieldModule } from '@angular/material/form-field';

import { MatInputModule } from '@angular/material/input';

import { FormsModule, ReactiveFormsModule } from '@angular/forms';

import { EditDialogComponent } from './edit-dialog/edit-dialog.component';

import { DataTableComponent } from './data-table/data-table.component';

 

@NgModule({

  declarations: [

    AppComponent,

    EditDialogComponent,

    DataTableComponent,

  ],

  imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule,

    MatTableModule,

    MatButtonModule,

    MatIconModule,

    MatDialogModule,

    MatFormFieldModule,

    MatInputModule,

    FormsModule,

    ReactiveFormsModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

 

CORE WEB API PROJECT

Create a class file - Student.cs

 

    public class Student

    {

        public int Id { get; set; }

        public string Name { get; set; }

        public string Email { get; set; }

        public string Country { get; set; }

          }

Create a controller - MatTableController

MatTableController.cs

 

using FilterableComboBox.Models;

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

namespace FilterableComboBox.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class MatTableController : ControllerBase

    {

        [HttpGet]

        [Route("GetAllStudents")]

        public IActionResult GetAllStudents()

        {

            var students = new List<Student>

        {

            new Student { Id = 1, Name = "Mohan", Email="mohan@gmail.com", Country ="India" },

            new Student { Id = 1, Name = "Ruchi", Email="Ruchin@gmail.com", Country ="USA" },

            new Student { Id = 1, Name = "Mel", Email="Mel@gmail.com", Country ="UK" },

            new Student { Id = 1, Name = "Gibson", Email="Gibson@gmail.com", Country ="USA" },

            new Student { Id = 1, Name = "Rojer", Email="Rojer@gmail.com", Country ="India" },

            new Student { Id = 1, Name = "Benny", Email="Benny@gmail.com", Country ="Kenya" },

            new Student { Id = 1, Name = "Misha", Email="Misha@gmail.com", Country ="France" },

            new Student { Id = 1, Name = "Nousheen", Email="Nousheen@gmail.com", Country ="Serbia" },

            new Student { Id = 1, Name = "Benazir", Email="Benazir@gmail.com", Country ="Germany" },

            new Student { Id = 1, Name = "Gopika", Email="Gopika@gmail.com", Country ="Serbia" },

            new Student { Id = 1, Name = "Roshan", Email="Roshan@gmail.com", Country ="Japan" },

            new Student { Id = 1, Name = "Bose", Email="Bose@gmail.com", Country ="Russia" },

            new Student { Id = 1, Name = "Moly", Email="Moly@gmail.com", Country ="Armenia" },

            new Student { Id = 1, Name = "Yohan", Email="Yohan@gmail.com", Country ="Russia" },

            new Student { Id = 1, Name = "Ian", Email="Ian@gmail.com", Country ="India" },

            new Student { Id = 1, Name = "Mahohar", Email="v@gmail.com", Country ="UK" },

            new Student { Id = 1, Name = "Abi", Email="Abi@gmail.com", Country ="Japan" },

            new Student { Id = 1, Name = "Rasheed", Email="Rasheed@gmail.com", Country ="Fance" },

            new Student { Id = 1, Name = "rajeev", Email="rajeev@Rasheed.com", Country ="serbia" },

            new Student { Id = 1, Name = "Sethu", Email="Sethu@gmail.com", Country ="China" },

        };

            return Ok(students);

        }

    }

}

 

update program.cs

 

 builder.Services.AddCors();

      app.UseCors(builder => builder

   .AllowAnyOrigin()

   .AllowAnyMethod()

   .AllowAnyHeader());

 

ANGULAR PROJECT

 

Create a class file - Student.ts

export interface Student {

    Id: number;

    Name: string;

    Email:string;

    Country:string;

    }

Create a service class file

item.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

import {Student} from './student';

 

@Injectable({

  providedIn: 'root'

})

export class ItemService {

  private apiUrl = 'https://localhost:7042/api/MatTable/GetAllStudents'; // Replace with your API URL

  constructor(private http: HttpClient) { }

  getItems(): Observable<Student[]> {

    return this.http.get<Student[]>(this.apiUrl);

  }

}

 

Now in Component file,

app.component.ts

 

import { Component, OnInit,ViewChild } from '@angular/core';

import { MatTableDataSource } from '@angular/material/table';

import { MatSort } from '@angular/material/sort';

import { MatPaginator } from '@angular/material/paginator';

import {Student} from './student';

import { ItemService } from './item.service';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

})

export class AppComponent  implements OnInit  {

  items: Student[] = [];

  datasource:any;

  constructor(private itemService: ItemService) { }

  ngOnInit(): void {

    this.itemService.getItems().subscribe(data => {

      console.log(data);

      this.items = data;

      this.datasource = new MatTableDataSource(data);

      this.datasource.sort = this.sort;

      this.datasource.paginator = this.paginator;

    });

  }

  displayedColumns: string[] = ['id', 'name', 'email', 'country'];

  @ViewChild(MatSort) sort!: MatSort;

  @ViewChild(MatPaginator) paginator!: MatPaginator;

 

  ngAfterViewInit() {

    this.datasource.sort = this.sort;

    this.datasource.paginator = this.paginator;

  }

 

  applyFilter(event: Event) {

    const filterValue = (event.target as HTMLInputElement).value;

    this.datasource.filter = filterValue.trim().toLowerCase();

  }

}

app.component.html

<div>

  <!-- Filter Input -->

  <mat-form-field >

    <mat-label>Filter</mat-label>

    <input matInput (keyup)="applyFilter($event)" placeholder="Search">

  </mat-form-field>

 

  <!-- Table -->

  <table mat-table [dataSource]="datasource" matSort>

    <!-- Column Definitions -->

    <ng-container matColumnDef="id">

      <th mat-header-cell *matHeaderCellDef mat-sort-header>Id</th>

      <td mat-cell *matCellDef="let element">{{ element.id }}</td>

    </ng-container>

 

    <ng-container matColumnDef="name">

      <th mat-header-cell *matHeaderCellDef mat-sort-header>Name</th>

      <td mat-cell *matCellDef="let element">{{ element.name }}</td>

    </ng-container>

 

    <ng-container matColumnDef="email">

      <th mat-header-cell *matHeaderCellDef mat-sort-header>Email</th>

      <td mat-cell *matCellDef="let element">{{ element.email }}</td>

    </ng-container>

 

    <ng-container matColumnDef="country">

      <th mat-header-cell *matHeaderCellDef mat-sort-header>Country</th>

      <td mat-cell *matCellDef="let element">{{ element.country }}</td>

    </ng-container>

 

    <!-- Header and Row Definitions -->

    <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

    <tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr>

  </table>

 

  <!-- Paginator -->

  <mat-paginator [pageSizeOptions]="[5, 10, 20]" showFirstLastButtons></mat-paginator>

</div>

 

app.module.ts

 

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatTableModule } from '@angular/material/table';

import { MatSortModule } from '@angular/material/sort';

import { MatPaginatorModule } from '@angular/material/paginator';

import { MatInputModule } from '@angular/material/input';

import { MatFormFieldModule } from '@angular/material/form-field';

import { AppComponent } from './app.component';

import { HttpClientModule } from '@angular/common/http';

 

@NgModule({

  declarations: [AppComponent],

  imports: [

    BrowserModule,

    BrowserAnimationsModule,

    MatTableModule,

    MatSortModule,

    MatPaginatorModule,

    MatInputModule,

    MatFormFieldModule,

    HttpClientModule

  ],

  providers: [],

  bootstrap: [AppComponent],

})

export class AppModule {}

 

Create a Class - User

user.ts

export class User {

    id: number;

    name: string;

    email: string;

    address: Address;

 

    constructor(data: any) {

      this.id = data.id;

      this.name = data.name;

      this.email = data.email;

      this.address = new Address(data.address);

    }

  }

 

  export class Address {

    street: string;

    city: string;

    zipCode: string;

 

    constructor(data: any) {

      this.street = data.street;

      this.city = data.city;

      this.zipCode = data.zipCode;

    }

  }

app.component.ts

import { Component,OnInit } from '@angular/core';

import { User } from './user';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit  {

  user: User;

 

  ngOnInit(): void {

    const jsonData = {

      id: 1,

      name: 'John Doe',

      email: 'john.doe@example.com',

      address: {

        street: '123 Main St',

        city: 'Anytown',

        zipCode: '12345'

      }

    };

    this.user = new User(jsonData);

  }

}

app.component.html

<div *ngIf="user">

  <h2>{{ user.name }}</h2>

  <p>Email: {{ user.email }}</p>

  <p>Address: {{ user.address.street }}, {{ user.address.city }}, {{ user.address.zipCode }}</p>

</div>

Create a class - ArrayClass

array-class.ts

export class ArrayClass {

    id: number;

    name: string;

    age: number;

 

    constructor(id: number, name: string, age: number) {

      this.id = id;

      this.name = name;

      this.age = age;

    }

  }

  app.component.ts

import { Component,OnInit } from '@angular/core';

import { ArrayClass } from './array-class';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  classInstances: ArrayClass[] = [];

 

  ngOnInit() {

    const rawArray = [

      { id: 1, name: 'John', age: 25 },

      { id: 2, name: 'Jane', age: 30 },

      { id: 3, name: 'Doe', age: 22 }

    ];

 

    this.classInstances = rawArray.map(item => new ArrayClass(item.id, item.name, item.age));

  }

}

app.component.html

<div *ngFor="let instance of classInstances">

  <p>ID: {{ instance.id }}</p>

  <p>Name: {{ instance.name }}</p>

  <p>Age: {{ instance.age }}</p>

</div>

app.component.ts

import { Component,OnInit } from '@angular/core';

 

@Component({

  selector: 'app-test',

  templateUrl: './test.component.html',

  styleUrls: ['./test.component.css']

})

export class TestComponent implements OnInit {

  ngOnInit() {

    const values = [1, 2, 3, 4, 2, 5, 6, 3];

 

const duplicates = values.filter((value, index, self) => self.indexOf(value) !== index);

console.log(duplicates); // Output: [2, 3]

  }

}

Install Angular material module.

Create a component - DynamicMenuComponent (Main Component)

dynamic-menu.component.ts

import { Component } from '@angular/core';

@Component({

  selector: 'app-dynamic-menu',

  templateUrl: './dynamic-menu.component.html',

  styleUrls: ['./dynamic-menu.component.css']

})

export class DynamicMenuComponent {

    menuItems = [

    {

     

      label: 'HomeAppliances',

      subItems: [

        { label: 'Fridge' },

        { label: 'Oven' }

      ]

    },

    {

      label: 'Vehicles',

      subItems: [

        { label: '2Wheeler' },

        { label: '4Wheeler', subItems: [

          { label: 'Benz' },

          { label: 'Toyota' }

        ]}

      ]

    },

    {

      label: 'Paints',

      subItems: []

    }

  ];

}

dynamic-menu.componnent.html

 

<button mat-button [matMenuTriggerFor]="menu">Menu</button>

<mat-menu #menu="matMenu">

  <ng-container *ngFor="let item of menuItems">

    <button mat-menu-item [routerLink] = [item.label] *ngIf="item.subItems.length === 0">{{ item.label }}</button>

    <button mat-menu-item [routerLink] = [item.label] *ngIf="item.subItems.length > 0" [matMenuTriggerFor]="subMenu">{{ item.label }}</button>

    <mat-menu #subMenu="matMenu">

      <ng-container *ngFor="let subItem of item.subItems">

        <button mat-menu-item [routerLink] = [subItem.label] *ngIf="subItem.subItems == null">{{ subItem.label }}</button>

        <button mat-menu-item [routerLink] = [subItem.label] *ngIf="subItem.subItems != null" [matMenuTriggerFor]="subSubMenu">{{ subItem.label }}</button>

        <mat-menu #subSubMenu="matMenu">

          <button mat-menu-item [routerLink] = [subSubItem.label] *ngFor="let subSubItem of subItem.subItems">{{ subSubItem.label }}</button>

        </mat-menu>

      </ng-container>

    </mat-menu>

  </ng-container>

</mat-menu>

Now create following components for display for menu options  given in dynamic-menu.component.ts

 

Create a folder - Home

Create a component in it - Home Component.

Create 2 folders in side the above folder

Fridge & Oven

In fridge folder create FridgeComponent

fridgecomponent.ts

In Oven folder create a component -  OvenComponent

Create a folder in root - Vehicles -

Create a vehicle compoennt inside it

Create 2 subfolders inside above folder

twowheeler & fourwheeler

in twowheeler folder - create a component - TwowheelerComponent

in fourwheeler folder - craeate a component - FourwheelerComponent

In fourwheelfolder - create 2 sub folders - Benz & Toyotta

In benz folder , create a component - BensComponent

in Toyotta folder - create a component - ToyoComponent

Create one more folder in root - Paints folder

create a component inisde it - PaintComponent

app.component.html

<app-dynamic-menu></app-dynamic-menu>

<router-outlet></router-outlet>

app-routing.module.ts

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HomeComponent } from './Home/home/home.component';

import { FridgeComponent } from './Home/Fridge/fridge/fridge.component';

import { OvenComponent } from './Home/Oven/oven/oven.component';

import { VehicleComponent } from './Vehicles/vehicle/vehicle.component';

import { TwowheelerComponent } from './Vehicles/2wheeler/twowheeler/twowheeler.component';

import { FourwheelerComponent } from './Vehicles/4wheeler/fourwheeler/fourwheeler.component';

import { BensComponent } from './Vehicles/4wheeler/Benz/bens/bens.component';

import { ToyoComponent } from './Vehicles/4wheeler/Toyota/toyo/toyo.component';

import { PaintComponent } from './Paints/paint/paint.component';

 

const routes: Routes = [

  { path: 'HomeAppliances', component: HomeComponent },

  { path: 'Fridge', component: FridgeComponent },

  { path: 'Oven', component: OvenComponent },

  { path: 'Vehicles', component: VehicleComponent },

  { path: '2Wheeler', component: TwowheelerComponent },

  { path: '4Wheeler', component: FourwheelerComponent },

  { path: 'Benz', component: BensComponent },

  { path: 'Toyota', component: ToyoComponent },

  {path: 'Paints', component: PaintComponent },

];

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule]

})

export class AppRoutingModule { }

Now Run the application.

 

app.compoent.ts

isAdmin = true; // user role coming from API

isUser = false; // user role coming from API

app.component.html

<mat-menu #menu="matMenu">

  <button mat-menu-item *ngIf="isAdmin">Admin Settings</button>

  <button mat-menu-item *ngIf="isUser">User Profile</button>

</mat-menu>

 

If you want only to disable an item, then you can use

<mat-menu #menu="matMenu">

  <button mat-menu-item [disabled]="!isAdmin">Admin Settings</button>

  <button mat-menu-item [disabled]="!isUser">User Profile</button>

</mat-menu>

If you want to restrict multiple roles for a particular mat menu item,

app.component.ts

roles = ['admin', 'user']; // Example roles from API

hasRole(role: string): boolean {

 return this.roles.includes(role);

}

app.component.html

<mat-menu #menu="matMenu">

  <button mat-menu-item *ngIf="hasRole('admin')">Admin Settings</button>

  <button mat-menu-item *ngIf="hasRole('user')">User Profile</button>

</mat-menu>

This form is like Invoice Entry form with a filterable textbox inside it.

Core Web API Part

Create a Controller - MatTableController

MatTableController.cs

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

 

namespace MatTAbleInlineEdit.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class MatTableController : ControllerBase

    {

        // For demo purpose I am using hard coded values.Actually it should come from DB.

        // Few examples explained already in previous questions to access data from DB.

        private static List<Item> Items = new List<Item>

    {

        new Item { Id = 1, Name = "Fridge", Category = "HomeAppliances" },

        new Item { Id = 2, Name = "Scooter", Category = "Automobiles" },

         new Item { Id = 3, Name = "Motor", Category = "PowerAppliances" },

         new Item { Id = 4, Name = "Projector", Category = "Electricals" },

    };

        [HttpGet]

        public ActionResult<List<Item>> Get() => Items;

        [HttpPut("{id}")]

        public IActionResult Put(int id, Item updatedItem)

        {

            var item = Items.FirstOrDefault(i => i.Id == id);

            if (item == null) return NotFound();

            item.Name = updatedItem.Name;

            item.Category = updatedItem.Category;

            return NoContent();

        }

        [HttpPost]

        [Route("AddItem")]

        public ActionResult AddItem([FromBody] Item model)

            {

            Item it = new Item();

            it.Id = model.Id;

            it.Category = model.Category;

            it.Name = model.Name;

            Items.Add(it); 

            return NoContent();

        }

        [HttpDelete("{id}")]

        public IActionResult Delete(int id)

        {

            var item = Items.FirstOrDefault(i => i.Id == id);

            if (item == null) return NotFound();

            Items.Remove(item);

            return NoContent();

        }

    }

    public class Item

    {

        public int Id { get; set; }

        public string Name { get; set; }

        public string Category { get; set; }

    }

}

Update program.cs

 builder.Services.AddCors();

 app.UseCors(builder => builder

  .AllowAnyOrigin()

  .AllowAnyMethod()

  .AllowAnyHeader());

 

Angular Part

 

Install Angular Material Module

Create a class file - Invoicie.ts

export interface Invoice {

  id?: number;

  name: string;

  category: string;

}

app.component.ts

import { Component, OnInit } from '@angular/core';

import { Observable } from 'rxjs';

import { HttpClient } from '@angular/common/http';

import { FormBuilder, FormGroup, Validators } from '@angular/forms';

import {Invoice} from './invoice';

import { FormControl } from '@angular/forms';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  invoiceForm: FormGroup;

  firsttime:boolean;

  editindex:any;

  gridnamevalue:any;

  firsttime2:boolean;

  selectedItem: string | null = null;

  selectedItem2: any[] = [];

 selItem:any;

  name = new FormControl('');

  jsonData: any;

  name2!: string;

  filteredData: any;

  result:any;

  filterValue: any;

  displayedColumns: string[] = ['id', 'name', 'category', 'actions'];

  dataSource: any[] = [];

  dataSource2: any;

  categories = ['HomeAppliances', 'Automobiles', 'PowerAppliances','Electricals'];

  editingRow: any = null;

  constructor(private http: HttpClient,private fb: FormBuilder) {}

filterData(searchTerm: string) {

  if (!searchTerm) {

      this.firsttime = true;

    this.filteredData = [...this.jsonData];

    console.log(this.filteredData);

  } else {

    this.firsttime = false;

    console.log('second');

    this.filteredData = this.jsonData.filter((item) =>

     item.columnName.toLowerCase().startsWith(searchTerm.toLowerCase())

        );

     }

}

 

filterData2(searchTerm: string) {

  console.log(searchTerm);

  if (!searchTerm) {

    console.log('first');

    this.firsttime2 = true;

    this.filteredData = [...this.jsonData];

    console.log(this.filteredData);

  } else {

    this.firsttime2 = false;

    console.log('second');

    this.filteredData = this.jsonData.filter((item) =>

    item.columnName.toLowerCase().startsWith(searchTerm.toLowerCase())

        );

    console.log(this.filteredData);

  }

}

itemfilter(item: any)

{

  let lastvalue = item.columnName;

  console.log(item.columnName);

  this.selItem = item.columnName;

  this.firsttime = true;

 var x = (<HTMLInputElement>document.getElementById('mat-input-1')).value;

 (<HTMLInputElement>document.getElementById('mat-input-1')).value = lastvalue;

}

itemfilter2(item: any,i:any)

{

  let lastvalue = item.columnName;

  let nameid = 'mat-input-' + this.editindex;

 console.log(nameid);

 this.firsttime2 = true;

(<HTMLInputElement>document.getElementById('mat-input-2')).value = lastvalue;

this.gridnamevalue = lastvalue;

}

onInputChange(element: any,event:any) {

  console.log('Changed element:', element);

  console.log(event);

  this.filterData2(event!);

}

 

  ngOnInit() {

    this.jsonData = [

      { id: 10, columnName: 'Apple' },

      { id: 11, columnName: 'Banana' },

      { id: 12, columnName: 'Cherry' },

      { id: 13, columnName: 'Litmus' },

      { id: 14, columnName: 'Chemmen' },

      { id: 15, columnName: 'Jasmin' },

    ];

    this.filteredData = [...this.jsonData];

    this.invoiceForm = this.fb.group({

      id: [Validators.required],

      name: [''],

      category: ['',Validators.required]

    });

this.name.valueChanges

      .subscribe((name) => {

        this.filterData(this.name.value!);

      });

    this.fetchData();

  }

  applyFilter(event: Event) {

    this.result = (event.target as HTMLInputElement).value;

    this.filterValue = (event.target as HTMLInputElement).value;

    this.dataSource2.filter = this.filterValue.trim().toLowerCase();

  }

  fetchData() {

    this.http.get('https://localhost:7019/api/MatTable').subscribe((data: any) => {

      this.dataSource = data;

    });

  }

addItem(item: any): Observable<any> {

  return this.http.post('https://localhost:7019/api/MatTable', item);

}

addInvoice()

{

 console.log(this.selItem);

  const invoice: Invoice = {

    id: this.invoiceForm.value.id,

    name: this.selItem,

    category: this.invoiceForm.value.category

     };

     if (this.invoiceForm.valid) {

      this.http.post('https://localhost:7019/api/MatTable/AddItem', invoice)

      .subscribe(response => {

       this.dataSource = [...this.dataSource, invoice];

       this.invoiceForm.reset();

        console.log('Data saved successfully', response);

      }, error => {

        console.error('Error saving data', error);

      });

     }

}

  editRow(row: any,i:any) {

   console.log(row);

   this.editindex = i;

    this.editingRow = { ...row };

  }

  saveRow() {

    console.log('saverow');

    console.log(this.editingRow.id);

    console.log(this.editingRow);

    this.editingRow.name = this.gridnamevalue;

    this.http.put(`https://localhost:7019/api/MatTable/${this.editingRow.id}`, this.editingRow).subscribe(() => {

      this.fetchData();

      this.editingRow = null;

    });

  }

  deleteRow(id: number) {

    console.log('delete is working');

    this.http.delete(`https://localhost:7019/api/MatTable/${id}`).subscribe(() => this.fetchData());

  }

}

app.component.html

<div>

  <form [formGroup]="invoiceForm" (ngSubmit)="addInvoice()">

    <mat-form-field>

      <input matInput type="number" placeholder="Id" formControlName="id">

    </mat-form-field>

    <mat-form-field>

<div id="total">

      <div id="checking" *ngIf="firsttime == false" class="mt-4">

        <h3 class="font-bold mb-2">Filtered Results:</h3>

        <ul>

          <li (click) = "itemfilter(item)" *ngFor="let item of filteredData;let i = index" class="p-1">{{ item.columnName }}

          </li>

        </ul>

      </div>

      <div *ngIf="filteredData.length === 0 && name.value">

        <p class="text-red-500 mt-4">No results found.</p>

      </div>

    </div>

      <input matInput [formControl]="name"  placeholder="name">

    </mat-form-field>

    <mat-form-field>

      <mat-select placeholder="Select Product" formControlName="category">

        <mat-option *ngFor="let category of categories" [value]="category">

          {{ category }}

        </mat-option>

      </mat-select>

    </mat-form-field>

    <button mat-raised-button color="primary" type="submit">Add Invoice</button>

  </form>

</div>

<table mat-table [dataSource]="dataSource" class="mat-elevation-z8">

  <ng-container matColumnDef="id">

    <th mat-header-cell *matHeaderCellDef>ID</th>

    <td mat-cell *matCellDef="let element">{{ element.id }}</td>

  </ng-container>

  <ng-container matColumnDef="name">

    <th mat-header-cell *matHeaderCellDef>Name</th>

    <td mat-cell *matCellDef="let element">

      <input matInput *ngIf="editingRow?.id === element.id" [(ngModel)]="editingRow.name" (ngModelChange)="onInputChange(element,$event)" />

      <span *ngIf="editingRow?.id !== element.id">{{ element.name }}</span>

    </td>

  </ng-container>

  <ng-container matColumnDef="category">

    <th mat-header-cell *matHeaderCellDef>Category</th>

    <td mat-cell *matCellDef="let element">

      <mat-select *ngIf="editingRow?.id === element.id" [(ngModel)]="editingRow.category">

        <mat-option *ngFor="let category of categories" [value]="category">

          {{ category }}

        </mat-option>

      </mat-select>

      <span *ngIf="editingRow?.id !== element.id">{{ element.category }}</span>

    </td>

  </ng-container>

  <ng-container matColumnDef="actions">

    <th mat-header-cell *matHeaderCellDef>Actions</th>

    <td mat-cell *matCellDef="let element;let i = index">

      <button mat-button *ngIf="editingRow?.id !== element.id" (click)="editRow(element,i)">Edit</button>

      <button mat-button *ngIf="editingRow?.id === element.id" (click)="saveRow()">Save</button>

      <button mat-button (click)="deleteRow(element.id)">Delete</button>

    </td>

  </ng-container>

  <tr mat-header-row *matHeaderRowDef="displayedColumns"></tr>

  <tr mat-row *matRowDef="let row; columns: displayedColumns;"></tr>

</table>

<div id="checking2" *ngIf="firsttime2 == false" class="mt-4">

  <h3 class="font-bold mb-2">Filtered Results:</h3>

  <ul>

    <li (click) = "itemfilter2(item,i)" *ngFor="let item of filteredData;let i = index" class="p-1">{{ item.columnName }}

    </li>

  </ul>

</div>

<div *ngIf="filteredData.length === 0 && name.value">

  <p class="text-red-500 mt-4">No results found.</p>

</div>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { MatTableModule } from '@angular/material/table';

import { MatInputModule } from '@angular/material/input';

import { MatSelectModule } from '@angular/material/select';

import { MatButtonModule } from '@angular/material/button';

import { HttpClientModule } from '@angular/common/http';

import {FormsModule,ReactiveFormsModule} from '@angular/forms';

import { AppComponent } from './app.component';

 

@NgModule({

  declarations: [AppComponent],

  imports: [

    BrowserModule,

    BrowserAnimationsModule,

    MatTableModule,

    MatInputModule,

    MatSelectModule,

    MatButtonModule,

    HttpClientModule,

    FormsModule,

    ReactiveFormsModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule {}

 

 

Set

A Set is a built-in object that stores unique values of any type (primitive values or object references).

Automatically removes duplicates.

Includes

includes() is a method available on arrays that checks if an array contains a specific element.

Returns a boolean (true or false).

Does not automatically handle duplicates.

Slow performance.

If the arrays are large, using a Set can be more efficient because Set has an average time complexity of O(1) for lookups, whereas includes has O(n).

app.component.ts

import { Component,OnInit } from '@angular/core';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  ngOnInit(): void

  {

    const array1: number[] = [1, 2, 3, 4, 5];

    const array2: number[] = [3, 4, 5, 6, 7];

    const set2 = new Set(array2);

    const nonMatchingValues = array1.filter(value => !set2.has(value));

     console.log(nonMatchingValues);

  }

}

app.component.ts

import { Component,OnInit } from '@angular/core';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  ngOnInit(): void

  {

const array1: number[] = [1, 2, 3, 4, 5];

const array2: number[] = [3, 4, 5, 6, 7];

const set1 = new Set(array1);

const set2 = new Set(array2);

const nonMatchingValues1 = array1.filter(value => !set2.has(value));

const nonMatchingValues2 = array2.filter(value => !set1.has(value));

const allNonMatchingValues = [...nonMatchingValues1, ...nonMatchingValues2];

console.log(allNonMatchingValues);

  }

}

app.component.ts

import { Component,OnInit } from '@angular/core';

const data = [

  {

    id: 1,

    name: "Alice",

    details: {

      age: 25,

      address: {

        city: "New York",

        zip: "10001"

      }

    }

  },

  {

    id: 2,

    name: "Bob",

    details: {

      age: 30,

      address: {

        city: "Los Angeles",

        zip: "90001"

      }

    }

  }

];

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

    ngOnInit(): void

  {

// this is to find parent name according to a user property in child.

    const usersInNY = data.filter(user => user.details.address.city === "Los Angeles");

    console.log(usersInNY);

    const usersInNY = data.filter(user => user.details.address.city === "Los Angeles");

    console.log(usersInNY);

  }

  }

Create a class - NestedObject

nested-object.ts

export class NestedObject {

    [key: string]: any;

}

app.component.ts

import { Component,OnInit } from '@angular/core';

import {NestedObject} from './nested-object';

 

const data = [

  {

    id: 1,

    name: "Alice",

    details: {

      age: 25,

      address: {

        city: "New York",

        zip: "10001"

      }

    }

  },

  {

    id: 2,

    name: "Bob",

    details: {

      age: 30,

      address: {

        city: "Los Angeles",

        zip: "90001"

      }

    }

  }

];

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

     nestedObject: NestedObject = {

    a: 1,

    b: {

      c: 2,

      d: {

        e: 3,

        f: 4,

      },

    },

    g: [5, 6], // Arrays are not traversed in this example

  };

     ngOnInit(): void

  {

      this.loopThroughNestedObject(this.nestedObject, (key, value) => {

      console.log(`Key: ${key}, Value: ${value}`);

    });   

  }

loopThroughNestedObject(obj: NestedObject, callback: (key: string, value: any) => void) {

    for (const key in obj) {

      if (obj.hasOwnProperty(key)) {

        const value = obj[key];

          // Call the callback function with the current key and value

        callback(key, value);

          // If the value is an object, recursively loop through it

        if (typeof value === 'object' && value !== null && !Array.isArray(value)) {

          this.loopThroughNestedObject(value, callback);

        }

      }

    }

  }

}

Run & check the values in console. You will get all variables with values.

Using parseInt (for integers)

Using parseFloat (for floating-point numbers)

Using the Number constructor

Using the unary + operator

No. However, TypeScript can be used in conjunction with Node.js, which is a runtime environment that allows JavaScript (and by extension, TypeScript) to be executed on the server side.

SOLID principles are five design principles that help developers write clean, maintainable, and scalable code. In Angular, these principles can be applied mainly in services, components, directives, and modules

1. Single Responsibility Principle (SRP)

A class should have only one reason to change.

In Angular, Each service/component should do one thing only.

Example

// Good: Separating responsibilities

@Injectable({ providedIn: 'root' })

export class UserService {

  getUserData() {

    // Fetch user data logic

  }

}

@Component({

  selector: 'app-user-profile',

  templateUrl: './user-profile.component.html',

})

export class UserProfileComponent {

  constructor(private userService: UserService) {}

  ngOnInit() {

    this.userService.getUserData();

  }

}

2. Open/Closed Principle (OCP)

Software entities should be open for extension but closed for modification.

In Angular, Use inheritance or interfaces for extensibility.

Example

export abstract class NotificationService {

  abstract send(message: string): void;

}

@Injectable({ providedIn: 'root' })

export class EmailNotificationService extends NotificationService {

  send(message: string): void {

    console.log(`Email sent: ${message}`);

  }

}

3. Liskov Substitution Principle (LSP)

Derived classes must be substitutable for their base classes.

In Angular, When extending classes or implementing interfaces, ensure that the derived class adheres to the contract defined by the base class or interface.

4. Interface Segregation Principle (ISP)

Definition: Clients should not be forced to depend on interfaces they do not use.

In Angular, Create small, specific interfaces instead of large, monolithic ones.

5. Dependency Inversion Principle (DIP)

Definition: High-level modules should not depend on low-level modules.

In Angular, Use Angular's dependency injection (DI) system to inject services or dependencies into components, services, or other classes.

 

Security risks : Exposing database credentials in the frontend and issues related with authentication, authorization, and input validation.

Limited scalability:  (lack of a proper backend to handle business logic)

Data validation issues (backend is better for enforcing rules)

Allows SQL injection attacks.

Violates separation of concerns.

1. Using a Local Database (e.g., SQLite, IndexedDB)

2. Direct Database Connection with WebSockets  (less security)

3. using a library like pg (for PostgreSQL) or mysql (for MySQL.

4. Using Firebase (Backend-as-a-Service)

You can use HttpClientModule to call graphQl in angular.

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { HttpClientModule } from '@angular/common/http';

import { AppComponent } from './app.component';

 

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule, HttpClientModule,],

  providers: [],

     bootstrap: [AppComponent],

})

export class AppModule {}

 

Create a service file - GraphqlService

graphql.service.ts

 

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

@Injectable({

  providedIn: 'root'

})

export class GraphqlService {

  private apiUrl = 'https://countries.trevorblades.com/';

  constructor(private http: HttpClient) {}

  // Method to send a GraphQL query

  query(query: string, variables?: any): Observable<any> {

    const body = {

      query: query,

      variables: variables

    };

    return this.http.post(this.apiUrl, body);

  }

}

app.component.ts

import { Component, OnInit } from '@angular/core';

import { GraphqlService } from './graphql.service';

 

@Component({

  selector: 'app-root',

  template: `

    <div *ngIf="loading">Loading...</div>

    <div *ngIf="error">{{ error }}</div>

    <ul>

      <li *ngFor="let country of countries">

        {{ country.name }} - {{ country.emoji }}

      </li>

    </ul>

 `

})

export class AppComponent implements OnInit {

  countries: any[] = [];

  loading = false;

  error: string | null = null;

  constructor(private graphqlService: GraphqlService) {}

  ngOnInit(): void {

    this.fetchCountries();

  }

  fetchCountries(): void {

    this.loading = true;

    const query = `

      query {

        countries {

          name

          emoji

        }

      }

    `;

    this.graphqlService.query(query).subscribe({

      next: (response) => {

        this.countries = response.data.countries;

        this.loading = false;

      },

      error: (err) => {

        this.error = 'Failed to fetch countries';

        this.loading = false;

        console.error(err);

      }

    });

  }

}

In this example, we are calling an online mock graphql service - https://countries.trevorblades.com/graphql using only ApolloClient

 Install ApolloClient

npm install @apollo/client graphql

create a service file - GraphQLService

graphql.service.ts

import { Injectable } from '@angular/core';

import { ApolloClient, InMemoryCache, gql } from '@apollo/client/core';

import { HttpLink } from 'apollo-angular/http';

 

@Injectable({

  providedIn: 'root'

})

export class GraphQLService {

  private apolloClient: ApolloClient<any>;

  constructor(private httpLink: HttpLink) {

    this.apolloClient = new ApolloClient({

      link: this.httpLink.create({ uri: 'https://countries.trevorblades.com/graphql' }),

      cache: new InMemoryCache()

    });

  }

  // Example query method

  async query(query: string, variables?: any) {

    try {

      const result = await this.apolloClient.query({

        query: gql`${query}`,

        variables

      });

      return result.data;

    } catch (error) {

      console.error('Error executing GraphQL query:', error);

      throw error;

    }

  }

}

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { HttpClientModule } from '@angular/common/http';

import { Apollo } from 'apollo-angular';

import { HttpLink } from 'apollo-angular/http';

import { InMemoryCache } from '@apollo/client/core';

import { AppComponent } from './app.component';

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule, HttpClientModule,

  ],

  providers: [

  ],

  bootstrap: [AppComponent],

})

export class AppModule {}

app.component.ts

import { Component, OnInit } from '@angular/core';

import { GraphQLService } from './graphql.service';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  countries: any[] = [];

  constructor(private graphQLService: GraphQLService) {}

  async ngOnInit() {

    const query = `

      query {

        countries {

          name

          emoji

        }

      }

    `;

    const result = await this.graphQLService.query(query);

    this.countries = result.countries;

    console.log(this.countries);

  }

}

app.component.html

<div *ngIf="countries">

  <ul>

    <li *ngFor="let country of countries">

      {{ country.name }} - {{ country.emoji }}

    </li>

  </ul>

</div>

 

app.component.ts

import { Component } from '@angular/core';

import * as XLSX from 'xlsx';

 

type AOA = any[][];

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  data: AOA = [[1, 2], [3, 4]];

  wopts: XLSX.WritingOptions = { bookType: 'xlsx', type: 'array' };

  fileName: string = 'SheetJS.xlsx';

 

  onFileChange(evt: any) {

    /* wire up file reader */

    const target: DataTransfer = <DataTransfer>(evt.target);

    if (target.files.length !== 1) throw new Error('Cannot use multiple files');

    const reader: FileReader = new FileReader();

    reader.onload = (e: any) => {

      /* read workbook */

      const bstr: string = e.target.result;

      const wb: XLSX.WorkBook = XLSX.read(bstr, { type: 'binary' });

 

      /* grab first sheet */

      const wsname: string = wb.SheetNames[0];

      const ws: XLSX.WorkSheet = wb.Sheets[wsname];

 

      /* save data */

      this.data = <AOA>(XLSX.utils.sheet_to_json(ws, { header: 1 }));

      console.log(this.data);

    };

    reader.readAsBinaryString(target.files[0]);

  }

}

app.component.html

 

<input type="file" (change)="onFileChange($event)" multiple="false" />

          <table class="sjs-table">

                    <tbody>

      <tr *ngFor="let row of data">

                              <td *ngFor="let val of row">

                                        {{val}}

                              </td>

                    </tr>

    </tbody>

          </table>

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { FormsModule } from '@angular/forms';

import { AppComponent } from './app.component';

 

@NgModule({

  imports:      [ BrowserModule, FormsModule ],

  declarations: [ AppComponent,   ],

  bootstrap:    [ AppComponent ]

})

export class AppModule { }

 

create a node.js file  (The code contains how to connect to an sql server db table using node.js. (in this case, sql server mode is windows authenitcation. If it is sql server authentication provide username & passoword in dbconfig section)

nodesample.js

 

const express = require("express");

const sql = require("mssql/msnodesqlv8");

const cors = require("cors");

const bodyParser = require("body-parser");

const app = express();

const PORT = 3000;

app.use(cors());

app.use(bodyParser.json());

var dbConfig = {

    connectionTimeout : 30000,

    database: "Test",

    server: "DESKTOP-N7DJEG4\SQLEXPRESS",

    options: {

        trustedConnection: true,

    }

};

app.get("/api/users", async (req, res) => {

  try {

 let pool = await sql.connect(dbConfig);

        let result = await pool.request().query('SELECT * FROM CountryMaster');

    res.json(result.recordset);

console.log(result.recordset);

  } catch (err) {

    res.status(500).json({ error: err.message });

  }

});

app.listen(PORT, () => {

  console.log(`Server running on http://localhost:${PORT}`);

});

 

Run the url - http://localhost:3000/api/users and check whether data is coming.

 

Angular Part

 

Create a service class file - user.service.ts

 

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

@Injectable({

  providedIn: 'root'

})

export class UserService {

  private apiUrl = 'http://localhost:3000/api/users'; // Node.js API URL

  constructor(private http: HttpClient) {}

  getUsers(): Observable<any> {

    return this.http.get<any>(this.apiUrl);

  }

}

app.component.ts

 

import { Component, OnInit } from '@angular/core';

import { UserService } from './user.service';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  users: any[] = [];

  constructor(private userService: UserService) {}

  ngOnInit() {

    this.userService.getUsers().subscribe(data => {

      this.users = data;

      console.log(data);

    });

  }

}

app.component.html

 

<h2>User List</h2>

<ul>

  <li *ngFor="let user of users">

    {{ user.CountryId }} - {{ user.CountryName }}

  </li>

</ul>

update app.module.ts

 

import { HttpClientModule } from '@angular/common/http';

imports: [

    BrowserModule,

    AppRoutingModule,

    HttpClientModule

  ],

 

Here, we are creating dynamic textboxes at run time.

app.component.ts

 

import { Component, OnInit } from '@angular/core';

import { FormBuilder, FormGroup, FormArray, Validators } from '@angular/forms';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent  {

  form: FormGroup;

  constructor(private fb: FormBuilder) {

    this.form = this.fb.group({

      name: ['', Validators.required],

      emails: this.fb.array([]),

    });

  }

  // Getter for emails FormArray

  get emails(): FormArray {

    return this.form.get('emails') as FormArray;

  }

  // Add new email field

  addEmail(): void {

    this.emails.push(this.fb.control('', [Validators.required, Validators.email]));

  }

  // Remove email field

  removeEmail(index: number): void {

    this.emails.removeAt(index);

  }

  // Submit the form

  onSubmit(): void {

    console.log(this.form.value);

  }

}

app.component.html

 

<form [formGroup]="form" (ngSubmit)="onSubmit()">

  <label for="name">Name:</label>

  <input id="name" formControlName="name" />

  <div formArrayName="emails">

    <div *ngFor="let emailCtrl of emails.controls; let i = index">

      <input [formControlName]="i" placeholder="Enter email" />

      <button type="button" (click)="removeEmail(i)">Remove</button>

    </div>

  </div>

  <button type="button" (click)="addEmail()">Add Email</button>

  <button type="submit" [disabled]="form.invalid">Submit</button>

</form>

app.module.ts

 

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppRoutingModule } from './app-routing.module';

import { AppComponent } from './app.component';

import { ReactiveFormsModule } from '@angular/forms';

 

@NgModule({

  declarations: [

    AppComponent

  ],

  imports: [

    BrowserModule,

    AppRoutingModule,

    ReactiveFormsModule

      ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule { }

Create a service class file - download.service.ts

 

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

@Injectable({

  providedIn: 'root'

})

export class DownloadService {

  constructor(private http: HttpClient) { }

  downloadImage(imageUrl: string, imageName: string) {

    this.http.get(imageUrl, { responseType: 'blob' }).subscribe((blob: Blob) => {

      const link = document.createElement('a');

      link.href = window.URL.createObjectURL(blob);

      link.download = imageName;

      link.click();

      window.URL.revokeObjectURL(link.href);

    });

  }

}

app.component.ts

 

import { Component } from '@angular/core';

import { DownloadService } from './download.service';

@Component({

  selector: 'app-root',

  template: `

    <button (click)="downloadImage()">Download Image</button>

  `

})

export class AppComponent {

  constructor(private downloadService: DownloadService) {}

  downloadImage() {

    const imageUrl = 'https://www.online-image-editor.com/styles/2019/images/power_girl_editor.png';

    const imageName = 'image.jpg';

    this.downloadService.downloadImage(imageUrl, imageName);

  }

}

upate app.module.ts

import { HttpClientModule } from '@angular/common/http';

imports: [

    BrowserModule,

    AppRoutingModule,

    HttpClientModule

  ],

 

Worker services are used to offload computationally intensive tasks to a background thread, keeping the main thread responsive for UI updates. This is particularly useful for tasks like data processing, image manipulation, or any other heavy computation that could block the main thread and degrade the user experience.

A worker process typically refers to Web Workers, which allow you to run scripts in background threads.

Create a class file for woker process

my-worker-worker.ts

addEventListener('message', ({ data }) => {

  const response = `Worker received: ${data}`;

  postMessage(response);

});

 

Create a service file

my-worker-service.ts

 

addEventListener('message', ({ data }) => {

  const response = `Worker received: ${data}`;

  postMessage(response);

});

 

app.component.ts

 

import { Component, OnInit } from '@angular/core';

import { MyWorkerService } from './my-worker.service';

 

@Component({

  selector: 'app-root',

  template: `

        <div>Check the console</div>`

  })

export class AppComponent implements OnInit {

  result: any;

  constructor(private workerService: MyWorkerService) {}

  ngOnInit() : void {

    this.workerService.sendMessage('Good morning');

  }

}

The APP_INITIALIZER token is a powerful feature that allows you to run initialization logic before the application starts. This is useful for tasks like loading configuration settings, fetching necessary data, or performing any setup that needs to happen before the app is fully loaded.

The APP_INITIALIZER token is a multi-provider token that takes a function (or an array of functions) which returns a Promise or an Observable. Angular will wait for these promises or observables to resolve before it considers the application fully initialized and ready to run.

Sample code

First create a ts file inside assets folder - config.json

config.json

{

    "appTitle" : "new title"

}

Create a service class file - ConfigService

config.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

 

@Injectable({

  providedIn: 'root',

})

export class ConfigService {

  private config: any;

 

  constructor(private http: HttpClient) {}

 

  loadConfig() {

    return this.http

      .get('/assets/config.json')

      .toPromise()

      .then((data) => {

        this.config = data;

      })

      .catch((error) => {

        console.error('Failed to load configuration:', error);

      });

  }

 

  getConfig() {

    return this.config;

  }

}

app.component.ts

import { Component } from '@angular/core';

import { ConfigService } from './config.service';

 

@Component({

  selector: 'app-root',

  template: `<h1>{{ title }}</h1>`,

})

export class AppComponent {

  title: string;

 

  constructor(private configService: ConfigService) {

    const config = this.configService.getConfig();

    console.log(config);

    this.title = config?.appTitle || 'Default Title';

  }

}

app.module.ts

import { NgModule, APP_INITIALIZER } from '@angular/core';

import { HttpClientModule } from '@angular/common/http';

import { ConfigService } from './config.service';

import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

 

export function initializeApp(configService: ConfigService) {

  return () => configService.loadConfig();

}

 

@NgModule({

  declarations: [

    AppComponent

  ],

  imports: [HttpClientModule,BrowserModule],

  providers: [

    ConfigService,

    {

      provide: APP_INITIALIZER,

      useFactory: initializeApp,

      deps: [ConfigService],

      multi: true,

    },

  ],

  bootstrap: [AppComponent]

})

export class AppModule {}

A Resolver in Angular is used to fetch data before navigating to a particular route. It ensures that necessary data is available before the component gets loaded. This helps improve performance and prevents displaying empty or partially loaded components.

The package-lock.json file is automatically generated by npm (Node Package Manager) when you install dependencies in a Node.js project. It records the exact versions of all the dependencies and sub-dependencies installed in your project. This ensures that every developer working on the project uses the same versions of the packages, leading to consistent behavior across different environments.

When you create an Angular project using the Angular CLI (e.g., ng new my-app), the CLI generates a package.json file and installs dependencies, which in turn creates a package-lock.json file.

AngularFire is the official library for Firebase and Angular. It provides a set of Angular-specific services and utilities that make it easier to integrate Firebase into Angular applications.

AngularFire is the official Firebase library for Angular, providing bindings for Firebase services like Firestore, Authentication, Storage, and more. It simplifies integrating Firebase with Angular applications by offering reactive APIs and dependency injection support.

Key Features of AngularFire:

Real-time Data Binding: AngularFire provides real-time data synchronization with Firebase's Realtime Database or Firestore.

Authentication: Simplifies Firebase Authentication integration, including email/password, social logins, and more.

Cloud Firestore: Provides a flexible, scalable NoSQL database.

Cloud Storage: Easily upload and download files from Firebase Cloud Storage.

Hosting & Functions: Deployment tools for Firebase Hosting and Cloud Functions.

Messaging (FCM): Push notifications support

You can create a retry interceptor for HTTP requests using the HttpInterceptor interface. This interceptor can automatically retry failed HTTP requests a specified number of times before giving up.

Create an interceptor - RetryInterceptor

retry.interceptor.ts

import { Injectable } from '@angular/core';

import {

  HttpEvent,

  HttpInterceptor,

  HttpHandler,

  HttpRequest,

  HttpResponse,

  HttpErrorResponse,

} from '@angular/common/http';

import { Observable, of, throwError } from 'rxjs';

import { catchError, retryWhen, mergeMap, delay } from 'rxjs/operators';

@Injectable()

export class RetryInterceptor implements HttpInterceptor {

  private maxRetries = 3; // Maximum number of retries

  private delayDuration = 1000; // Delay between retries in milliseconds

  intercept(

    req: HttpRequest<any>,

    next: HttpHandler

  ): Observable<HttpEvent<any>> {

    return next.handle(req).pipe(

      retryWhen((errors) =>

        errors.pipe(

          mergeMap((error, retryCount) => {

            if (retryCount < this.maxRetries && this.shouldRetry(error)) {

              return of(error).pipe(delay(this.delayDuration));

            }

            return throwError(error);

          })

        )

      ),

      catchError((error: HttpErrorResponse) => {

        // Handle the final error after all retries have failed

        console.error('HTTP request failed after retries:', error);

        return throwError(error);

      })

    );

  }

  private shouldRetry(error: HttpErrorResponse): boolean {

    // Retry only for specific HTTP status codes

    return error.status === 500 || error.status === 502 || error.status === 503;

  }

}

Explanation of parameters used in interceptor

maxRetries: The maximum number of times the request should be retried.

delayDuration: The delay between retries in milliseconds.

shouldRetry: A method to determine if a request should be retried based on the HTTP status code.

retryWhen: An RxJS operator that allows you to retry the request based on the error.

catchError: Handles the final error after all retries have failed.

 

Add the interceptor to the providers array in your app.module.ts

import { HttpClientModule, HTTP_INTERCEPTORS } from '@angular/common/http';

import { RetryInterceptor } from './path-to-your-interceptor/retry.interceptor';

@NgModule({

  imports: [HttpClientModule],

  providers: [

    { provide: HTTP_INTERCEPTORS, useClass: RetryInterceptor, multi: true },

  ],

})

export class AppModule implements OnInit {}

In app.component.ts

constructor(private http: HttpClient) {}

ngOnInit() : void {

this.fetchData();

}

  fetchData() {

    return this.http.get('https://api.example.com/data');

  }

For this purpose, you can use forkJoin RxJS operator.

app.component.ts

import { Component, OnInit } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { forkJoin } from 'rxjs';

export class AppComponent implements OnInit {

ngOnInit() : void {

  }

this.parallelApiCalls() ;

}

//

parallelApiCalls() {

  const firstCall = this.http.get('/api/firstCall');

  const secondCall = this.http.get('/api/secondCall');

  const thirdCall = this.http.get('/api/thirdCall');

 

  forkJoin([firstCall, secondCall, thirdCall]).subscribe((results) => {

    console.log('First Call Result:', results[0]);

    console.log('Second Call Result:', results[1]);

    console.log('Third Call Result:', results[2]);

  });

}

//

}

You can use concatMap Rxjs operator for this purpose.

app.component.ts

import { Component, OnInit } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { concatMap } from 'rxjs/operators';

import { of } from 'rxjs';

 

export class AppComponent implements OnInit {

ngOnInit() : void {

  }

this.sequentialApiCalls() ;

}

//

sequentialApiCalls() {

  this.http.get('/api/firstCall')

    .pipe(

      concatMap((firstResult) => {

        // Use the result of the first call to make the second call

        return this.http.get(`/api/secondCall/${firstResult.id}`);

      }),

      concatMap((secondResult) => {

        // Use the result of the second call to make the third call

        return this.http.get(`/api/thirdCall/${secondResult.id}`);

      })

    )

    .subscribe((finalResult) => {

      console.log('Final Result:', finalResult);

    });

}

//

}

app.component.ts

import { HttpClient } from '@angular/common/http';

import { concatMap, forkJoin } from 'rxjs';

export class AppComponent implements OnInit {

ngOnInit() : void {

  }

this.mixedApiCalls() ;

}

//

mixedApiCalls() {

  this.http.get('/api/firstCall')

    .pipe(

      concatMap((firstResult) => {

        const secondCall = this.http.get(`/api/secondCall/${firstResult.id}`);

        const thirdCall = this.http.get(`/api/thirdCall/${firstResult.id}`);

        // Run second and third calls in parallel

        return forkJoin([secondCall, thirdCall]);

      })

    )

    .subscribe(([secondResult, thirdResult]) => {

      console.log('Second Call Result:', secondResult);

      console.log('Third Call Result:', thirdResult);

    });

}

//

}

Put a video file in assets folder - sample.mp4

app.component.html

 

<video #videoPlayer controls width="640" height="360">

  <source src="assets/sample.mp4" type="video/mp4">

  Your browser does not support the video tag.

</video>

 

<button (click)="playVideo()">Play</button>

<button (click)="pauseVideo()">Pause</button>

<button (click)="stopVideo()">Stop</button>

 

app.component.ts

 

import { Component, ViewChild, ElementRef } from '@angular/core';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  @ViewChild('videoPlayer', { static: false }) videoPlayer!: ElementRef<HTMLVideoElement>;

 

  playVideo() {

    this.videoPlayer.nativeElement.play();

  }

  pauseVideo() {

    this.videoPlayer.nativeElement.pause();

  }

  stopVideo() {

    this.videoPlayer.nativeElement.pause();

    this.videoPlayer.nativeElement.currentTime = 0;

  }

onVideoEnd() {

  console.log('Video has ended');

}

}

Put a mp3 file in assets folder - sample.mp3

app.component.ts

 

import { Component } from '@angular/core';

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  audioSrc = 'assets/sample.mp3'; // Path to your audio file

  playAudio() {

    const audioPlayer = document.querySelector('audio') as HTMLAudioElement;

    audioPlayer.play();

  }

  pauseAudio() {

    const audioPlayer = document.querySelector('audio') as HTMLAudioElement;

    audioPlayer.pause();

  }

}

app.component.html

 

<audio #audioPlayer controls>

  <source src="{{ audioSrc }}" type="audio/mpeg">

  Your browser does not support the audio element.

</audio>

<button (click)="playAudio()">Play</button>

<button (click)="pauseAudio()">Pause</button>

Angular Universal is a technology provided by the Angular team that allows you to run Angular applications on the server side, enabling server-side rendering (SSR). This is particularly useful for improving the performance and SEO (Search Engine Optimization) of Angular applications.

Instead of rendering the app in the browser, it allows rendering Angular pages on the server first, sending fully rendered HTML to the client. This improves performance, SEO, and First Contentful Paint (FCP).

Once the HTML is loaded in the browser, Angular runs on the client and takes over the page.

This process is called hydration, where Angular makes the page interactive by attaching event listeners and updating the DOM.

Sample Code.

First add Angular Univsersal

ng add @nguniversal/express-engine

update app.module.ts

 

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { AppComponent } from './app.component';

import { HttpClientModule } from '@angular/common/http';

 

@NgModule({

  declarations: [AppComponent],

  imports: [BrowserModule.withServerTransition({ appId: 'serverApp' }), HttpClientModule],

  providers: [],

  bootstrap: [AppComponent],

})

export class AppModule {}

 

Add the code in app.server.module.ts

 

import { NgModule } from '@angular/core';

import { ServerModule } from '@angular/platform-server';

import { AppModule } from './app.module';

import { AppComponent } from './app.component';

 

@NgModule({

  imports: [AppModule, ServerModule],

  bootstrap: [AppComponent],

})

export class AppServerModule {}

Add a class file in root called environment.ts

environment.ts

 

export const environment = {

    production: true,

 

    featureFlag: false,

  };

 

update main.ts

import { enableProdMode } from '@angular/core';

import { platformBrowserDynamic } from '@angular/platform-browser-dynamic';

import { AppModule } from './app/app.module';

//import { environment } from './environment';

import { environment } from 'src/app/environment';

 

if (environment.production) {

  enableProdMode();

}

 

platformBrowserDynamic()

  .bootstrapModule(AppModule)

  .catch((err) => console.error(err));

update main.server.ts

export { AppServerModule } from './app/app.server.module';

app.component.ts

import { Component, Inject, PLATFORM_ID } from '@angular/core';

import { isPlatformBrowser, isPlatformServer } from '@angular/common';

import { HttpClient } from '@angular/common/http';

 

@Component({

  selector: 'app-root',

  template: `

    <h1>Welcome to Angular Universal!</h1>

    <p>Rendered on: {{ platform }}</p>

    <p>Data from API: {{ data | json }}</p>

  `,

})

export class AppComponent {

  platform: string;

  data: any;

 

  constructor(

    @Inject(PLATFORM_ID) private platformId: Object,

    private http: HttpClient

  ) {

    if (isPlatformBrowser(this.platformId)) {

      this.platform = 'Browser';

    }

    if (isPlatformServer(this.platformId)) {

      this.platform = 'Server';

    }

 

    // Fetch data from an API

    this.http.get('https://jsonplaceholder.typicode.com/todos/1').subscribe((response) => {

      this.data = response;

    });

  }

}

server.ts

import 'zone.js/dist/zone-node';

import { ngExpressEngine } from '@nguniversal/express-engine';

import * as express from 'express';

import { join } from 'path';

import { AppServerModule } from './src/main.server';

import { APP_BASE_HREF } from '@angular/common';

import { existsSync } from 'fs';

 

// The Express app

const app = express();

const distFolder = join(process.cwd(), 'dist/angular-universal-example/browser');

const indexHtml = existsSync(join(distFolder, 'index.original.html'))

  ? 'index.original.html'

  : 'index.html';

 

// Set up Angular Universal

app.engine(

  'html',

  ngExpressEngine({

    bootstrap: AppServerModule,

  })

);

 

app.set('view engine', 'html');

app.set('views', distFolder);

 

// Serve static files

app.get('*.*', express.static(distFolder, { maxAge: '1y' }));

 

// All regular routes use Angular Universal

app.get('*', (req, res) => {

  res.render(indexHtml, { req, providers: [{ provide: APP_BASE_HREF, useValue: req.baseUrl }] });

});

 

// Start the server

const port = process.env.PORT || 4000;

app.listen(port, () => {

  console.log(`Node Express server listening on http://localhost:${port}`);

});

 

export * from './src/main.server';

tsconfig.server.json

{

  "extends": "./tsconfig.app.json",

  "compilerOptions": {

    "outDir": "./out-tsc/server",

    "target": "es2019",

    "types": ["node"]

  },

  "files": ["src/main.server.ts", "server.ts"],

  "angularCompilerOptions": {

    "entryModule": "./src/app/app.server.module#AppServerModule"

  }

}

Add code to the package.json

"scripts": {

  "build:ssr": "ng build --configuration production && ng run angular-universal-example:server:production",

  "serve:ssr": "node dist/angular-universal-example/server/main.js"

}

Run the application and check the result of API.

The SafePipe is used to mark content as safe for rendering in templates, bypassing Angular's default sanitization.

Angular's SafePipe is a pipe that allows you to mark specific content as safe, so Angular won't sanitize it. This is useful when you trust the content and want to render it as-is, such as when embedding trusted HTML, URLs, or scripts.

Angular's DomSanitizer service is used to mark content as safe. You can use it in combination with SafePipe to bypass sanitization for trusted content.

You can create a custom pipe that uses DomSanitizer to mark content as safe and apply in templates.

Sample code

Create a custom pipe - SafePipe

safe.pipe.ts

import { Pipe, PipeTransform } from '@angular/core';

import { DomSanitizer, SafeHtml, SafeStyle, SafeScript, SafeUrl, SafeResourceUrl } from '@angular/platform-browser';

 

@Pipe({

  name: 'safe'

})

export class SafePipe implements PipeTransform {

  constructor(private sanitizer: DomSanitizer) {}

 

  transform(value: string, type: string): SafeHtml | SafeStyle | SafeScript | SafeUrl | SafeResourceUrl {

    switch (type) {

      case 'html':

        return this.sanitizer.bypassSecurityTrustHtml(value);

      case 'style':

        return this.sanitizer.bypassSecurityTrustStyle(value);

      case 'script':

        return this.sanitizer.bypassSecurityTrustScript(value);

      case 'url':

        return this.sanitizer.bypassSecurityTrustUrl(value);

      case 'resourceUrl':

        return this.sanitizer.bypassSecurityTrustResourceUrl(value);

      default:

        throw new Error(`Invalid safe type specified: ${type}`);

    }

  }

}

app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule,DomSanitizer  } from '@angular/platform-browser';

import { CommonModule } from '@angular/common';

import { AppComponent } from './app.component';

import { SafePipe } from './safe.pipe';

 

@NgModule({

  declarations: [

    AppComponent,

    SafePipe

  ],

  imports: [

    BrowserModule,

    CommonModule

  ],

  providers: [],

  bootstrap: [AppComponent],

  exports: [SafePipe]

})

export class AppModule { }

app.component.ts

import { Component } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  trustedHtml = '<p style="color: red;">This is trusted HTML!</p>';

  trustedUrl = 'https://example.com';

  trustedScript = 'https://example.com/trusted-script.js';

  title = 'safepipe';

}

app.component.html

<div [innerHTML]="trustedHtml | safe: 'html'"></div>

<a [href]="trustedUrl | safe: 'url'">Trusted Link</a>

<script [src]="trustedScript | safe: 'resourceUrl'"></script>

WebSockets in Angular allow real-time communication between the client and server by maintaining a persistent connection. This is useful for applications like chat apps, live notifications, or real-time data updates.

WebSockets provide a way to establish a persistent, full-duplex communication channel between a client and a server.

Sample demo

First, install the ws library using npm:  (You can create in angular or Core web api also)

Create a .js file for node server file

NodeServer.js

const WebSocket = require('ws');

 

// Create a WebSocket server on port 8080

const wss = new WebSocket.Server({ port: 8080 });

 

// Event listener for when a client connects

wss.on('connection', (ws) => {

    console.log('New client connected');

 

    // Send a welcome message to the client

    ws.send('Welcome to the WebSocket server!');

 

    // Event listener for when the server receives a message from the client

    ws.on('message', (message) => {

        console.log(`Received: ${message}`);

 

        // Broadcast the message to all connected clients

        wss.clients.forEach((client) => {

            if (client !== ws && client.readyState === WebSocket.OPEN) {

                client.send(`Client says: ${message}`);

            }

        });

    });

 

    // Event listener for when the client disconnects

    ws.on('close', () => {

        console.log('Client disconnected');

    });

});

 

console.log('WebSocket server is running on ws://localhost:8080');

 

Now Run the program in command prompt using node NodeSever.

Now our Node server is ready.

Now create the client code in Angular.

Create a service class file - WebsocketService

 

websocket.service.ts

import { Injectable } from '@angular/core';

import { Observable, Subject } from 'rxjs';

 

@Injectable({

  providedIn: 'root',

})

export class WebsocketService {

  private socket: WebSocket;

  private messageSubject: Subject<string> = new Subject<string>();

 

  constructor() {

    // Initialize the WebSocket connection

    this.socket = new WebSocket('ws://localhost:8080');

 

    // Handle incoming messages

    this.socket.onmessage = (event) => {

      this.messageSubject.next(event.data);

    };

 

    // Handle connection errors

    this.socket.onerror = (error) => {

      console.error('WebSocket error:', error);

      this.messageSubject.error(error);

    };

 

    // Handle connection close

    this.socket.onclose = () => {

      console.log('WebSocket connection closed');

      this.messageSubject.complete();

    };

  }

 

  // Method to send messages

  sendMessage(message: string): void {

    if (this.socket.readyState === WebSocket.OPEN) {

      console.log(message);

      this.socket.send(message);

    } else {

      console.error('WebSocket is not open.');

    }

  }

 

  // Method to listen for incoming messages

  getMessages(): Observable<string> {

    return this.messageSubject.asObservable();

  }

 

  // Method to close the WebSocket connection

  closeConnection(): void {

    this.socket.close();

  }

}

Now call the service in Component file.

app.component,ts

import { Component, OnInit, OnDestroy } from '@angular/core';

import { WebsocketService } from './websocket.service';

import { Subscription } from 'rxjs';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit,OnDestroy {

  messages: string[] = [];

  private messageSubscription: Subscription;

 

  constructor(private websocketService: WebsocketService) {}

 

  ngOnInit(): void {

    // Subscribe to incoming messages

    this.messageSubscription = this.websocketService

      .getMessages()

      .subscribe((message) => {

        this.messages.push(message);

      });

  }

 

  sendMessage(): void {

    console.log('executed');

    // Send a message to the WebSocket server

    this.websocketService.sendMessage('Hello, WebSocket!');

  }

 

  ngOnDestroy(): void {

    // Unsubscribe to avoid memory leaks

    this.messageSubscription.unsubscribe();

    // Close the WebSocket connection

    this.websocketService.closeConnection();

  }

}

app.component.html

<div>

  <h2>WebSocket Demo</h2>

  <button (click)="sendMessage()">Send Message</button>

  <div *ngFor="let message of messages">

    {{ message }}

  </div>

</div>

Now Run this angular application and check the command promt console of the Node Server. You can see the received message.

TensorFlow is an open-source machine learning framework developed by the Google Brain team. It is designed to facilitate the development and training of machine learning models, particularly deep learning models.

TensorFlow.js is a powerful tool to create machine learning in JavaScript.

Using TensorFlow.js in an Angular project allows you to integrate machine learning models directly into your web application.

Sample demo

Install tensorflow.js

npm install @tensorflow/tfjs

add “skipLibCheck”: true in tsconfig.json

app.component.ts

import { Component, ElementRef, ViewChild, AfterViewInit,OnInit } from '@angular/core';

import * as tf from '@tensorflow/tfjs';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  @ViewChild('imageElement', { static: false }) imageElement!: ElementRef;

  imageSrc: string | null = null;

  prediction: string = '';

  ngOnInit(): void {

    this.runTensorFlow();

  }

//

async runTensorFlow() {

  // Define a simple model

  const model = tf.sequential();

  model.add(tf.layers.dense({ units: 1, inputShape: [1] }));

 

  // Compile the model

  model.compile({ loss: 'meanSquaredError', optimizer: 'sgd' });

 

  // Prepare training data

  const xs = tf.tensor2d([1, 2, 3, 4], [4, 1]);

  const ys = tf.tensor2d([1, 3, 5, 7], [4, 1]);

 

  // Train the model

  await model.fit(xs, ys, { epochs: 500 });

 

  // Predict using the model

  const output = model.predict(tf.tensor2d([5], [1, 1])) as tf.Tensor;

  output.print();

}

}

app.component.html

<p>Check the browser console for TensorFlow.js output.</p>

face-api.js is a JavaScript library that allows face detection and recognition in the browser.

First you must have a an active web cam in your laptop.

Install npm install face-api.js

Create a folder called models in assets folder.

Copy models from https://github.com/justadudewhohacks/face-api.js/tree/master/weights to     assets/models folder

 

app.component.ts

import { Component, OnInit } from '@angular/core';

import * as faceapi from 'face-api.js';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  title = 'face-detection-app';

 

  async ngOnInit() {

    await this.loadModels();

    this.startFaceDetection();

  }

 

  async loadModels() {

    const MODEL_URL = '/assets/models'; // Path to your models directory

    await faceapi.nets.tinyFaceDetector.loadFromUri(MODEL_URL);

    await faceapi.nets.faceLandmark68Net.loadFromUri(MODEL_URL);

    await faceapi.nets.faceRecognitionNet.loadFromUri(MODEL_URL);

    console.log('Models loaded successfully');

  }

 

  async startFaceDetection() {

    const video = document.getElementById('video') as HTMLVideoElement;

 

    // Access the webcam

    const stream = await navigator.mediaDevices.getUserMedia({ video: {} });

    video.srcObject = stream;

 

    video.onplay = async () => {

      const canvas = faceapi.createCanvasFromMedia(video);

      document.body.append(canvas);

      faceapi.matchDimensions(canvas, { height: video.height, width: video.width });

 

      setInterval(async () => {

        const detections = await faceapi.detectAllFaces(video, new faceapi.TinyFaceDetectorOptions())

          .withFaceLandmarks()

          .withFaceDescriptors();

        console.log(detections);

 

        // Clear the canvas and draw detections

        const resizedDetections = faceapi.resizeResults(detections, { height: video.height, width: video.width });

        canvas.getContext('2d')?.clearRect(0, 0, canvas.width, canvas.height);

        faceapi.draw.drawDetections(canvas, resizedDetections);

        faceapi.draw.drawFaceLandmarks(canvas, resizedDetections);

      }, 100);

    };

  }

}

app.component.html

<div>

  <video id="video" width="600" height="450" autoplay muted></video>

</div>

Run the application & check console also. You can see the code detects your face in your laptop webcam.

Install faceapi

npm install face-api.js @types/face-api.js

Create a servcice class file

face.detection.service.ts

 

import { Injectable } from '@angular/core';

import * as faceapi from 'face-api.js';

 

@Injectable({

  providedIn: 'root'

})

export class FaceDetectionService {

  private modelsLoaded = false;

 

  constructor() { }

 

  async loadModels() {

    await Promise.all([

      faceapi.nets.tinyFaceDetector.loadFromUri('/assets/models'),

      faceapi.nets.faceLandmark68Net.loadFromUri('/assets/models'),

      faceapi.nets.faceRecognitionNet.loadFromUri('/assets/models'),

      faceapi.nets.faceExpressionNet.loadFromUri('/assets/models')

    ]);

    this.modelsLoaded = true;

  }

 

  async detectFaces(imageElement: HTMLImageElement) {

    if (!this.modelsLoaded) {

      await this.loadModels();

    }

    return await faceapi.detectAllFaces(imageElement, new faceapi.TinyFaceDetectorOptions())

      .withFaceLandmarks()

      .withFaceExpressions();

  }

}

 

app.component.ts

import { Component, OnInit } from '@angular/core';

import { FaceDetectionService } from './face-detection.service';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  imageUrl = 'assets/Kochuthresia.png';

  abc = ''

  faces: any[] = [];

 

  constructor(private faceDetectionService: FaceDetectionService) { }

 

  async ngOnInit() {

    const imageElement = new Image();

    imageElement.src = this.imageUrl;

    imageElement.onload = async () => {

      this.faces = await this.faceDetectionService.detectFaces(imageElement);

      console.log(this.faces);

    };

  }

}

app.component.html

<div>

  <img [src]="imageUrl" alt="Image for face detection" style="max-width: 100%;">

  <div *ngFor="let face of faces" style="position: absolute; border: 2px solid red;"

       [style.left.px]="face.detection.box.x"

       [style.top.px]="face.detection.box.y"

       [style.width.px]="face.detection.box.width"

       [style.height.px]="face.detection.box.height">

  </div>

</div>

update app.module.ts

import { FormsModule } from '@angular/forms';

 imports: [

    BrowserModule,

    AppRoutingModule,

    FormsModule

  ],

TensorFlow.js and BlazeFace are used to detect faces in real-time.

Install Required Dependencies

npm install @tensorflow/tfjs @tensorflow-models/blazeface

Add script files for tensorflow in head section of Index.html

 <script src="https://cdn.jsdelivr.net/npm/@tensorflow/tfjs"></script>

  <script src="https://cdn.jsdelivr.net/npm/@tensorflow-models/blazeface"></script>

app.component.ts

import { Component, OnInit, ViewChild, ElementRef } from '@angular/core';

import * as tf from '@tensorflow/tfjs';

import * as blazeface from '@tensorflow-models/blazeface';

 

@Component({

  selector: 'app-root',

  template: `

    <video #videoElement width="640" height="480" autoplay playsinline></video>

    <canvas #canvasElement width="640" height="480"></canvas>

  `,

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  @ViewChild('videoElement', { static: true }) videoElement!: ElementRef<HTMLVideoElement>;

  @ViewChild('canvasElement', { static: true }) canvasElement!: ElementRef<HTMLCanvasElement>;

 

  private model: blazeface.BlazeFaceModel | null = null;

 

  async ngOnInit() {

    await this.loadModel();

    await this.setupCamera();

    this.detectFaces();

  }

 

  async loadModel() {

    this.model = await blazeface.load();

    console.log("Blazeface model loaded");

  }

 

  async setupCamera() {

    if (navigator.mediaDevices && navigator.mediaDevices.getUserMedia) {

      const stream = await navigator.mediaDevices.getUserMedia({ video: true });

      this.videoElement.nativeElement.srcObject = stream;

      await this.videoElement.nativeElement.play();

    } else {

      console.error("getUserMedia is not supported in this browser");

    }

  }

 

  async detectFaces() {

    const video = this.videoElement.nativeElement;

    const canvas = this.canvasElement.nativeElement;

    const ctx = canvas.getContext('2d');

 

    if (!this.model || !ctx) {

      console.error("Model or canvas context not available");

      return;

    }

 

    const detect = async () => {

      // Clear the canvas before drawing new frames

      ctx.clearRect(0, 0, canvas.width, canvas.height);

 

      // Draw the current video frame onto the canvas

      ctx.drawImage(video, 0, 0, canvas.width, canvas.height);

 

      // Detect faces in the video frame

      const predictions = await this.model!.estimateFaces(video, false);

 

      // Draw bounding boxes around detected faces

      predictions.forEach((prediction) => {

        const start = prediction.topLeft as [number, number];

        const end = prediction.bottomRight as [number, number];

        const size = [end[0] - start[0], end[1] - start[1]];

        console.log(ctx);

        // Draw the bounding box

        ctx.strokeStyle = 'lime';

        ctx.lineWidth = 2;

        ctx.strokeRect(start[0], start[1], size[0], size[1]);

      });

 

      // Request the next frame

      setTimeout(() => {

        requestAnimationFrame(detect);

      }, 100); // Process every 100ms

    };

    // Start detection

    detect();

  }

}

app.component.css

video, canvas {

    position: absolute;

    top: 0;

    left: 0;

  }

TensorFlow.js: For deep learning and pre-trained models.

Brain.js: For simple neural networks.

ML5.js: For high-level AI tasks like image classification.

Synaptic: For custom neural network architectures.

PapaParse: For data preprocessing.

Chart.js: For data visualization.

OpenAI API: For integrating GPT models.

Compromise.js: For NLP tasks.

Performance Limitations

Heavy Client-Side Processing:

Lack of GPU/TPU Support:

Large Model Sizes:

Bandwidth Consumption

Exposing Models:

Data Privacy:

Lack of AI-Specific Libraries

Client-Side Dependency

Separation of Concerns

Browser Compatibility

Increased Hardware Requirements:

Host and run AI models on the server side. Use frameworks like TensorFlow, PyTorch, or FastAPI for AI tasks.

Use REST APIs or WebSockets to send data from the Angular front end to the back end for AI processing and receive results.

Handle the UI and user interactions using Angular.

First create a json file in assets folder.

menu-items.json

{

    "menu": [

      {

        "name": "Home",

        "link": "/home",

        "component": "HomeComponent"

      },

      {

        "name": "Products",

        "link": "/products",

        "component": "ProductsComponent",

        "submenu": [

          {

            "name": "Electronics",

            "link": "/products/electronics",

            "component": "ElectronicsComponent",

            "submenu": [

              {

                "name": "Laptops",

                "link": "/products/electronics/laptops",

                "component": "LaptopsComponent",

                "submenu": [

                  {

                    "name": "Gaming Laptops",

                    "link": "/products/electronics/laptops/gaming",

                    "component": "GamingLaptopsComponent"

                  },

                  {

                    "name": "Business Laptops",

                    "link": "/products/electronics/laptops/business",

                    "component": "BusinessLaptopsComponent"

                  }

                ]

              },

              {

                "name": "Smartphones",

                "link": "/products/electronics/smartphones",

                "component": "SmartphonesComponent"

              }

            ]

          },

          {

            "name": "Clothing",

            "link": "/products/clothing",

            "component": "ClothingComponent",

            "submenu": [

              {

                "name": "Men",

                "link": "/products/clothing/men",

                "component": "MenComponent"

              },

              {

                "name": "Women",

                "link": "/products/clothing/women",

                "component": "WomenComponent"

              }

            ]

          }

        ]

      },

      {

        "name": "About",

        "link": "/about",

        "component": "AboutComponent"

      }

    ]

  }

Create a few components -

 HomeComponent

ProductsComponent

 AboutComponent

 ElectronicsComponent

LaptopsComponent

 GamingLaptopsComponent

 BusinessLaptopsComponent

 SmartphonesComponent

 ClothingComponent

 MenComponent

 WomenComponent

 MenuItemComponent

 

Create a menu item component for display above components.

menu-item.component.ts

 

import { Component, Input } from '@angular/core';

 

@Component({

  selector: 'app-menu-item',

  templateUrl: './menu-item.component.html',

  styleUrls: ['./menu-item.component.css']

})

export class MenuItemComponent {

  @Input() item: any; // Input property to receive menu item data

}

menu-component.html

<li>

    <!-- Use routerLink for navigation -->

    <a [routerLink]="item.link">{{ item.name }}</a>

    <!-- Render submenus if they exist -->

    <ul *ngIf="item.submenu">

      <!-- Recursively render submenus -->

      <app-menu-item *ngFor="let subItem of item.submenu" [item]="subItem"></app-menu-item>

    </ul>

  </li>

menu.component.css

ul {

    list-style-type: none;

    padding-left: 20px;

  }

 

  li {

    margin: 5px 0;

  }

 

  a {

    text-decoration: none;

    color: #333;

  }

 

  a:hover {

    color: #007bff;

  }

 

Add the routes in app-routing.module.ts

 

import { NgModule } from '@angular/core';

import { RouterModule, Routes } from '@angular/router';

import { HttpClient } from '@angular/common/http';

import { HomeComponent } from './home/home.component';

import { ProductsComponent } from './products/products.component';

import { AboutComponent } from './about/about.component';

import { ElectronicsComponent } from './electronics/electronics.component';

import { LaptopsComponent } from './laptops/laptops.component';

import { GamingLaptopsComponent } from './gaming-laptops/gaming-laptops.component';

import { BusinessLaptopsComponent } from './business-laptops/business-laptops.component';

import { SmartphonesComponent } from './smartphones/smartphones.component';

import { ClothingComponent } from './clothing/clothing.component';

import { MenComponent } from './men/men.component';

import { WomenComponent } from './women/women.component';

import { MenuItemComponent } from './menu-item/menu-item.component';

 

const routes: Routes = [

  { path: 'home', component: HomeComponent },

  { path: 'products', component: ProductsComponent },

  { path: 'products/electronics', component: ElectronicsComponent },

  { path: 'products/electronics/laptops', component: LaptopsComponent },

  { path: 'products/electronics/laptops/gaming', component: GamingLaptopsComponent },

  { path: 'products/electronics/laptops/business', component: BusinessLaptopsComponent }, // Add this route

  { path: 'products/electronics/smartphones', component: SmartphonesComponent },

  { path: 'products/clothing', component: ClothingComponent },

  { path: 'products/clothing/men', component: MenComponent },

  { path: 'products/clothing/women', component: WomenComponent },

  { path: 'about', component: AboutComponent },

  { path: '', redirectTo: '/home', pathMatch: 'full' }, // Default route

  { path: '**', redirectTo: '/home' } // Wildcard route for 404

];

 

 

@NgModule({

  imports: [RouterModule.forRoot(routes)],

  exports: [RouterModule]

})

export class AppRoutingModule {

  constructor(private http: HttpClient) {}

 

  // Dynamically load routes from JSON

  loadRoutes() {

    this.http.get<any>('assets/menu-items.json').subscribe({

      next: (data) => {

        if (data && data.menu) {

          this.generateRoutes(data.menu);

        }

      },

      error: (err) => {

        console.error('Failed to load menu data:', err);

      }

    });

  }

 

  // Recursively generate routes

  generateRoutes(menuItems: any[]) {

    menuItems.forEach((item) => {

      const route = {

        path: item.link.substring(1), // Remove leading slash

        component: this.getComponent(item.component)

      };

      routes.push(route);

 

      if (item.submenu) {

        this.generateRoutes(item.submenu); // Recursively generate routes for submenus

      }

    });

 

    // Reset the router configuration

    RouterModule.forRoot(routes);

  }

 

  // Map component names to actual components

  getComponent(componentName: string): any {

    switch (componentName) {

      case 'HomeComponent':

        return HomeComponent;

      case 'ProductsComponent':

        return ProductsComponent;

      case 'AboutComponent':

        return AboutComponent;

      case 'ElectronicsComponent':

        return ElectronicsComponent;

      case 'LaptopsComponent':

        return LaptopsComponent;

      case 'GamingLaptopsComponent':

        return GamingLaptopsComponent;

      case 'BusinessLaptopsComponent':

        return BusinessLaptopsComponent;

      case 'SmartphonesComponent':

        return SmartphonesComponent;

      case 'ClothingComponent':

        return ClothingComponent;

      case 'MenComponent':

        return MenComponent;

      case 'WomenComponent':

        return WomenComponent;

      default:

        return null;

    }

  }

}

 

update app.module.ts

 

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { HttpClientModule } from '@angular/common/http';

import { RouterModule } from '@angular/router'; // Import RouterModule

import { AppComponent } from './app.component';

import { AppRoutingModule } from './app-routing.module';

import { HomeComponent } from './home/home.component';

import { ProductsComponent } from './products/products.component';

import { AboutComponent } from './about/about.component';

import { ElectronicsComponent } from './electronics/electronics.component';

import { LaptopsComponent } from './laptops/laptops.component';

import { GamingLaptopsComponent } from './gaming-laptops/gaming-laptops.component';

import { BusinessLaptopsComponent } from './business-laptops/business-laptops.component';

import { SmartphonesComponent } from './smartphones/smartphones.component';

import { ClothingComponent } from './clothing/clothing.component';

import { MenComponent } from './men/men.component';

import { WomenComponent } from './women/women.component';

import { MenuItemComponent } from './menu-item/menu-item.component';

import { CommonModule } from '@angular/common';

 

@NgModule({

  declarations: [

    AppComponent,

    HomeComponent,

    ProductsComponent,

    AboutComponent,

    ElectronicsComponent,

    LaptopsComponent,

    GamingLaptopsComponent,

    BusinessLaptopsComponent,

    SmartphonesComponent,

    ClothingComponent,

    MenComponent,

    WomenComponent,

    MenuItemComponent

  ],

  imports: [

    BrowserModule,

    HttpClientModule,

    AppRoutingModule,

    RouterModule,

    CommonModule

  ],

  providers: [],

  bootstrap: [AppComponent]

})

export class AppModule {

  constructor(private appRoutingModule: AppRoutingModule) {

    this.appRoutingModule.loadRoutes(); // Load routes dynamically

  }

}

app.component.ts

import { Component, OnInit } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { MenuItemComponent } from './menu-item/menu-item.component';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements OnInit {

  menu: any[] = [];

 

  constructor(private http: HttpClient) {}

 

  ngOnInit(): void {

    this.http.get<any>('assets/menu-items.json').subscribe({

      next: (data) => {

        console.log('Data loaded:', data); // Check the entire response

        if (data && data.menu) {

          this.menu = data.menu;

        } else {

          console.error('Menu data is missing or invalid.');

        }

      },

      error: (err) => {

        console.error('Failed to load menu data:', err);

      }

    });

  }

}

app.component.html

<ul>

    <app-menu-item *ngFor="let item of menu" [item]="item"></app-menu-item>

  </ul>

<router-outlet></router-outlet>

 

First Install Toaster libaray for notification services

npm install ngx-toastr

npm install @angular/animations

Install Angular material

ng add @angular/material

Create a notification poup componennt class file in components folder

notification-popup.component.ts

// notification-popup.component.ts

import { Component, Inject } from '@angular/core';

import { MAT_DIALOG_DATA, MatDialogRef } from '@angular/material/dialog';

 

@Component({

  selector: 'app-notification-popup',

  templateUrl: './notification-popup.component.html',

  styleUrls: ['./notification-popup.component.css'],

})

export class NotificationPopupComponent {

  constructor(

    public dialogRef: MatDialogRef<NotificationPopupComponent>,

    @Inject(MAT_DIALOG_DATA) public data: { title: string; message: string }

  ) {}

 

  close(): void {

    this.dialogRef.close();

  }

}

notification-popup.component.html

<div class="popup-container">

    <h2>{{ data.title }}</h2>

    <p>{{ data.message }}</p>

    <button mat-button (click)="close()">Close</button>

  </div>

notification-popup.component.css

/* notification-popup.component.css */

.popup-container {

    padding: 20px;

    background-color: white;

    border-radius: 8px;

    box-shadow: 0 4px 8px rgba(0, 0, 0, 0.2);

    text-align: center;

  }

 

  button {

    margin-top: 10px;

  }

Create a service class file to open the modal popup in services folder

notification.service.ts

import { Injectable } from '@angular/core';

import { MatDialog } from '@angular/material/dialog';

import { NotificationPopupComponent } from '../components/notification-popup/notification-popup.component';

 

@Injectable({

  providedIn: 'root',

})

export class NotificationService {

  constructor(private dialog: MatDialog) {}

 

  showPopup(title: string, message: string): void {

    this.dialog.open(NotificationPopupComponent, {

      width: '300px',

      data: { title, message },

    });

  }

}

app.component.ts

 

import { Component, OnInit } from '@angular/core';

import { NotificationService } from './services/notification.service';

 

@Component({

  selector: 'app-root',

  template: `<h1>Angular Popup Notification Scheduler</h1>`,

})

export class AppComponent implements OnInit {

  constructor(private notificationService: NotificationService) {}

 

  ngOnInit() {

    this.schedulePopup(

      'Scheduled Popup',

      'This is a scheduled notification!',

      '2025-03-14T10:29:00' // Year-month-date format.

    );

  }

 

  schedulePopup(title: string, message: string, dateTime: string): void {

    const notificationTime = new Date(dateTime).getTime();

    const currentTime = new Date().getTime();

    const delay = notificationTime - currentTime;

 

    if (delay > 0) {

      setTimeout(() => {

        this.notificationService.showPopup(title, message);

      }, delay);

    } else {

      console.warn('The specified time is in the past.');

    }

  }

}

Remove content from app.component.html

update app.module.ts

import { NgModule } from '@angular/core';

import { BrowserModule } from '@angular/platform-browser';

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

import { ToastrModule } from 'ngx-toastr';

import { AppComponent } from './app.component';

import { NotificationPopupComponent } from './components/notification-popup/notification-popup.component';

import { MatDialogModule } from '@angular/material/dialog';

 

@NgModule({

  declarations: [AppComponent, NotificationPopupComponent],

  imports: [

    BrowserModule,

    BrowserAnimationsModule, // Required for ngx-toastr

    MatDialogModule,

    ToastrModule.forRoot(),  // Toastr configuration

  ],

  bootstrap: [AppComponent],

})

export class AppModule {}

 

Add the YouTube IFrame API Script in head part of  Index.html

 <script src="https://www.youtube.com/iframe_api"></script>

app.component.ts

 

import { Component, OnInit } from '@angular/core';

declare var YT: any; // Declare the YouTube IFrame API

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css'],

})

export class AppComponent implements OnInit {

  player: any;

 

  ngOnInit(): void {

    this.loadYouTubePlayer();

  }

 

  loadYouTubePlayer(): void {

    this.player = new YT.Player('youtube-player', {

      height: '315',

      width: '560',

      videoId: 'qIhLvZEuLdo', // Replace VIDEO_ID with the actual YouTube video ID

// note that video_id means not url. it is last part of url.

      events: {

        onReady: (event: any) => this.onPlayerReady(event),

        onStateChange: (event: any) => this.onPlayerStateChange(event),

      },

    });

  }

 

  onPlayerReady(event: any): void {

    console.log('YouTube player is ready');

    event.target.playVideo(); // Autoplay the video

  }

 

  onPlayerStateChange(event: any): void {

    console.log('Player state changed:', event.data);

  }

}

app.component.html

<div>

  <h2>YouTube Player</h2>

  <div id="youtube-player"></div>

</div>

Here we need 2 projects

 

1. Asp.Net Core Microservice

2. Angular project

 

1.       Asp.Net Core Microservice

 

Create a web api project - ProductService

Create a model class - Products.cs in Models folder

Product.cs

 public class Product

    {

        public int Id { get; set; }

        public string Name { get; set; }

        public decimal Price { get; set; }

    }

Cteate a Controller - ProductsController

ProductsController.cs

 

using Microsoft.AspNetCore.Http;

using Microsoft.AspNetCore.Mvc;

using ProductService.Models;

 

namespace ProductService.Controllers

{

    [Route("api/[controller]")]

    [ApiController]

    public class ProductsController : ControllerBase

    {

        private static List<Product> Products = new List<Product>

        {

            new Product { Id = 1, Name = "Product 1", Price = 10.99m },

            new Product { Id = 2, Name = "Product 2", Price = 20.99m }

        };

 

        [HttpGet]

        public ActionResult<IEnumerable<Product>> Get()

        {

            return Ok(Products);

        }

 

        [HttpGet("{id}")]

        public ActionResult<Product> Get(int id)

        {

            var product = Products.FirstOrDefault(p => p.Id == id);

            if (product == null)

            {

                return NotFound();

            }

            return Ok(product);

        }

    }

}

Add Cors in program.cs

 

  builder.Services.AddCors(options =>

            {

                options.AddPolicy("AllowAllOrigins",

                    builder =>

                    {

                        builder.AllowAnyOrigin()

                               .AllowAnyMethod()

                               .AllowAnyHeader();

                    });

            });

   app.UseCors("AllowAllOrigins");

In launchsettings.json file change url as

 

"iisSettings": {

    "windowsAuthentication": false,

    "anonymousAuthentication": true,

    "iisExpress": {

      "applicationUrl": "http://localhost:5001",

      "sslPort": 5001

    }

"profiles": {

    "ProductService": {

      "commandName": "Project",

      "dotnetRunMessages": true,

      "launchBrowser": true,

      "launchUrl": "swagger",

      "applicationUrl": "http://localhost:5001",

    

      "environmentVariables": {

        "ASPNETCORE_ENVIRONMENT": "Development"

      }

    },

Now Run and Test Result.

 

Create another Core Web APi  project (in this example, in other folder) - GateWay

Install oceleot from nuget packet manger which is our api gateway.

ocelot.json

{

  "Routes": [

    {

      "DownstreamPathTemplate": "/api/Products",

      "DownstreamScheme": "http",

      "DownstreamHostAndPorts": [

        {

          "Host": "localhost",

          "Port": 5001

        }

      ],

      "UpstreamPathTemplate": "/api/Products",

      "UpstreamHttpMethod": [ "GET" ]

    },

   

  ],

  "GlobalConfiguration": {

    "BaseUrl": "http://localhost:5000"

  }

}

update program.cs

 

 builder.Configuration.AddJsonFile("ocelot.json");

            builder.Services.AddOcelot();

 

            builder.Services.AddCors(options =>

            {

                options.AddPolicy("AllowAllOrigins",

                    builder =>

                    {

                        builder.AllowAnyOrigin()

                               .AllowAnyMethod()

                               .AllowAnyHeader();

                    });

            });

 app.UseCors("AllowAllOrigins");

 app.UseOcelot().Wait();

 

Now Run both projects simeltaneously and check the url,

http://localhost:5000/api/Products

Now We can create our Angular project

Create a service class file - api-service.ts

 

// src/app/api.service.ts

import { Injectable } from '@angular/core';

import { HttpClient } from '@angular/common/http';

import { Observable } from 'rxjs';

 

@Injectable({

  providedIn: 'root'

})

export class ApiService {

 // private apiUrl = 'https://localhost:5001/api/items'; // Replace with your API URL

  private apiUrl = 'http://localhost:5000/api/Products'; // Replace with your API URL

 

  constructor(private http: HttpClient) { }

 

  // GET all items

  getItems(): Observable<any> {

    return this.http.get(this.apiUrl);

  }

 

  // GET item by ID

  getItem(id: number): Observable<any> {

    return this.http.get(`${this.apiUrl}/${id}`);

  }

 

  // POST new item

  addItem(item: any): Observable<any> {

    return this.http.post(this.apiUrl, item);

  }

 

  // PUT update item

  updateItem(id: number, item: any): Observable<any> {

    return this.http.put(`${this.apiUrl}/${id}`, item);

  }

 

  // DELETE item

  deleteItem(id: number): Observable<any> {

    return this.http.delete(`${this.apiUrl}/${id}`);

  }

}

app.component.ts

// src/app/app.component.ts

import { Component, OnInit } from '@angular/core';

import { ApiService } from './api.service';

 

@Component({

  selector: 'app-root',

  template: `

    <div>

      <h1>Items</h1>

      <ul>

        <li *ngFor="let item of items">{{ item.id }} - {{ item.name }} - {{ item.price }}</li>

      </ul>

    </div>

  `

})

export class AppComponent implements OnInit {

  items: any[] = [];

 

  constructor(private apiService: ApiService) { }

 

  ngOnInit(): void {

    this.fetchItems();

  }

 

  fetchItems(): void {

    this.apiService.getItems().subscribe(

      (response) => {

        console.log(response);

        this.items = response;

      },

      (error) => {

        console.error('Error fetching items:', error);

      }

    );

  }

}

update app.module.ts

import { HttpClientModule } from '@angular/common/http';

imports: [

    BrowserModule,

    AppRoutingModule,

    HttpClientModule

   

  ],

 

Run the angular project and check the result. (both core api projects must be running)

Angular Signals is a system that granularly tracks how and where your state is used throughout an application, allowing the framework to optimize rendering updates.

 Signals are a way to manage state and reactivity in a more efficient and intuitive manner, inspired by similar concepts in other frameworks like Solid.js.

Signals provide a lightweight and performant way to track changes in data and automatically update the UI when the data changes. They are designed to simplify state management and improve performance by reducing unnecessary change detection cycles.

A Signal is a wrapper around a value that can notify consumers when the value changes.

Sample demo

This demo will include:

A signal to hold the counter value.

A computed signal to derive a double value of the counter.

An effect to log changes to the counter.

Buttons to increment and reset the counter.

app.component.ts

import { Component, signal, computed, effect } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent {

  count = signal(0);

 

  // Create a computed signal for double the count

  doubleCount = computed(() => this.count() * 2);

 

  constructor() {

    // Log changes to the count signal

    effect(() => {

      console.log('Count changed:', this.count());

    });

  }

 

  // Method to increment the counter

  increment() {

    this.count.update((value) => value + 1);

  }

 

  // Method to reset the counter

  reset() {

    this.count.set(0);

  }

}

app.component.html

<h1>Angular Signals Demo</h1>

    <p>Count: {{ count() }}</p>

    <p>Double Count: {{ doubleCount() }}</p>

    <button (click)="increment()">Increment</button>

    <button (click)="reset()">Reset</button>

app.component.css

button {

    margin: 5px;

  }

Angular provides a declarative way to define animations using the @angular/animations module. You can create multi-step animations, stagger animations, route transitions, and more.

Install angular animation module

npm install @angular/animations

update app.module.ts

import { BrowserAnimationsModule } from '@angular/platform-browser/animations';

imports: [

    BrowserModule,

    AppRoutingModule,

    BrowserAnimationsModule

  ],

app.component.ts

import { Component } from '@angular/core';

import {

  trigger,

  state,

  style,

  animate,

  transition,

  keyframes,

  query,

  stagger,

} from '@angular/animations';

 

@Component({

  selector: 'app-root',

  template: `

    <button (click)="toggle()">Toggle Animation</button>

    <div [@listAnimation]="items.length" *ngIf="isVisible">

      <div *ngFor="let item of items" class="item">{{ item }}</div>

    </div>

  `,

  styles: [

    `

      .item {

        padding: 10px;

        margin: 5px;

        background-color: #f0f0f0;

        border: 1px solid #ccc;

      }

    `,

  ],

  animations: [

    trigger('listAnimation', [

      transition('* => *', [

        query(':enter', style({ opacity: 0 }), { optional: true }),

        query(

          ':enter',

          stagger('100ms', [

            animate(

              '0.5s ease-in',

              keyframes([

                style({ opacity: 0, transform: 'translateY(-50px)', offset: 0 }),

                style({ opacity: 0.5, transform: 'translateY(-25px)', offset: 0.3 }),

                style({ opacity: 1, transform: 'translateY(0)', offset: 1 }),

              ])

            ),

          ]),

          { optional: true }

        ),

      ]),

    ]),

  ],

})

export class AppComponent {

  isVisible = false;

  items = ['Item 1', 'Item 2', 'Item 3', 'Item 4'];

 

  toggle() {

    this.isVisible = !this.isVisible;

  }

}

Sample code - An animation like yellow fire works in a canvas.

app.component.ts

import { Component, AfterViewInit, ElementRef, ViewChild, HostListener } from '@angular/core';

 

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

 

export class AppComponent implements AfterViewInit {

  @ViewChild('fireworksCanvas', { static: false }) canvasRef!: ElementRef<HTMLCanvasElement>;

  private ctx!: CanvasRenderingContext2D;

  private particles: any[] = [];

  private fireworks: any[] = [];

  private canvas!: HTMLCanvasElement;

  private width!: number;

  private height!: number;

 

  ngAfterViewInit(): void {

    this.canvas = this.canvasRef.nativeElement;

    this.ctx = this.canvas.getContext('2d')!;

    this.resizeCanvas();

    this.animate();

    this.triggerFirework();

  }

 

  @HostListener('window:resize')

  resizeCanvas(): void {

    this.width = this.canvas.width = window.innerWidth;

    this.height = this.canvas.height = window.innerHeight;

  }

 

  triggerFirework(): void {

    setInterval(() => {

      this.createFirework(

        Math.random() * this.width,

        this.height,

        Math.random() * this.width,

        Math.random() * this.height / 2

      );

    }, 1000);

  }

 

  createFirework(sx: number, sy: number, tx: number, ty: number) {

    this.fireworks.push(new Firework(sx, sy, tx, ty, this.ctx, this.particles));

  }

 

  animate(): void {

    requestAnimationFrame(() => this.animate());

    this.ctx.fillStyle = 'rgba(0, 0, 0, 0.2)';

    this.ctx.fillRect(0, 0, this.width, this.height);

 

    this.fireworks.forEach((firework, i) => {

      if (firework.update()) {

        this.fireworks.splice(i, 1);

      }

    });

 

    this.particles.forEach((particle, i) => {

      if (particle.update()) {

        this.particles.splice(i, 1);

      }

    });

  }

}

 

class Firework {

  private x: number;

  private y: number;

  private tx: number;

  private ty: number;

  private speed: number;

  private angle: number;

  private alpha: number;

  private ctx: CanvasRenderingContext2D;

  private particles: any[];

 

  constructor(sx: number, sy: number, tx: number, ty: number, ctx: CanvasRenderingContext2D, particles: any[]) {

    this.x = sx;

    this.y = sy;

    this.tx = tx;

    this.ty = ty;

    this.ctx = ctx;

    this.particles = particles;

    this.speed = 3;

    this.angle = Math.atan2(ty - sy, tx - sx);

    this.alpha = 1;

  }

 

  update(): boolean {

    this.x += Math.cos(this.angle) * this.speed;

    this.y += Math.sin(this.angle) * this.speed;

    this.alpha -= 0.02;

 

    this.ctx.beginPath();

    this.ctx.arc(this.x, this.y, 2, 0, Math.PI * 2);

    this.ctx.fillStyle = `rgba(255, 255, 0, ${this.alpha})`; // Pure yellow

    this.ctx.fill();

 

    if (this.alpha <= 0) {

      this.explode();

      return true;

    }

    return false;

  }

 

  explode(): void {

    for (let i = 0; i < 50; i++) {

      this.particles.push(new Particle(this.tx, this.ty, this.ctx));

    }

  }

}

 

class Particle {

  private x: number;

  private y: number;

  private speed: number;

  private angle: number;

  private gravity: number;

  private alpha: number;

  private ctx: CanvasRenderingContext2D;

 

  constructor(x: number, y: number, ctx: CanvasRenderingContext2D) {

    this.x = x;

    this.y = y;

    this.ctx = ctx;

    this.speed = Math.random() * 5 + 1;

    this.angle = Math.random() * Math.PI * 2;

    this.gravity = 0.05;

    this.alpha = 1;

  }

 

  update(): boolean {

    this.x += Math.cos(this.angle) * this.speed;

    this.y += Math.sin(this.angle) * this.speed + this.gravity;

    this.alpha -= 0.02;

 

    this.ctx.beginPath();

    this.ctx.arc(this.x, this.y, 2, 0, Math.PI * 2);

    this.ctx.fillStyle = `rgba(255, 255, ${Math.random() * 50}, ${this.alpha})`;

    this.ctx.fill();

 

    return this.alpha <= 0;

  }

}

app.component.html

<canvas #fireworksCanvas></canvas>

app.component.css

canvas {

    position: fixed;

    top: 0;

    left: 0;

    width: 100vw;

    height: 100vh;

    display: block;

    background-color: black;

  }

 

 

 

app.component.css

.scrolling-text-container {

    width: 100%;

    overflow: hidden;

    white-space: nowrap;

    box-sizing: border-box;

  }

 

  .scrolling-text {

    display: inline-block;

    padding-left: 100%; /* Start off-screen */

    animation: scroll-text 10s linear infinite;

  }

 

  @keyframes scroll-text {

    0% {

      transform: translateX(100%);

    }

    100% {

      transform: translateX(-100%);

    }

  }

app.component.html

<div class="scrolling-text-container">

  <div class="scrolling-text">

    This is a scrolling text example using CSS animations in Angular!

  </div>

</div>

 

app.component.ts

import { Component, ElementRef, ViewChild, AfterViewInit } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements AfterViewInit {

  @ViewChild('scrollingText') scrollingText!: ElementRef;

 

  ngAfterViewInit() {

    this.startScrolling();

  }

 

  startScrolling() {

    const textElement = this.scrollingText.nativeElement;

    const containerWidth = textElement.parentElement.offsetWidth;

    const textWidth = textElement.offsetWidth;

    let position = containerWidth;

    const animate = () => {

      position -= 1; // Adjust speed here

      if (position < -textWidth) {

        position = containerWidth;

      }

      textElement.style.transform = `translateX(${position}px)`;

      requestAnimationFrame(animate);

    };

    animate();

  }

}

app.component.ts

import { Component, ElementRef, ViewChild, AfterViewInit } from '@angular/core';

 

@Component({

  selector: 'app-root',

  templateUrl: './app.component.html',

  styleUrls: ['./app.component.css']

})

export class AppComponent implements AfterViewInit {

  @ViewChild('scrollingTextElement') scrollingTextElement!: ElementRef; // Reference to the DOM element

  scrollingText = "This is a dynamic vertical scrolling text example using Angular and JavaScript!"; // Dynamic text content

 

  ngAfterViewInit() {

    this.startScrolling();

  }

 

  startScrolling() {

    const textElement = this.scrollingTextElement.nativeElement;

    const containerHeight = textElement.parentElement.offsetHeight;

    const textHeight = textElement.offsetHeight;

 

    let position = containerHeight;

 

    const animate = () => {

      position -= 1; // Adjust speed here

      if (position < -textHeight) {

        position = containerHeight;

      }

      textElement.style.transform = `translateY(${position}px)`;

      requestAnimationFrame(animate);

    };

    animate();

  }

}

app.component.html

<div class="scrolling-text-container">

  <div #scrollingTextElement class="scrolling-text">

    {{ scrollingText }}

  </div>

</div>

app.component.css

 

.scrolling-text-container {

    height: 100px; /* Set the height of the container */

    overflow: hidden;

    position: relative;

    border: 1px solid #ccc; /* Optional: for visual clarity */

  }

 

  .scrolling-text {

    position: absolute;

    white-space: nowrap;

  }

 

Filter by Category