HI WELCOME TO SIRIS

Part-1 Ionic Angular JWT(JSON Web Token) Authentication(Access Token Implementation)

Leave a Comment

 In this article, we are going to understand the implementation steps on Jwt authentication in Ionic5 angular application. Here we mainly concentrate on authenticated user access token.

What is JSON Web Token?:

JSON Web Token is a digitally signed and secured token for user validation. The jwt is constructed with 3 informative parts:
  • Header
  • Payload
  • Signature

Create A Sample Ionic Angular Application:

Let's begin our journey by creating a sample Ionic Angular application where we are going to implement our JWT authentication.
Command To Install Ionic CLI:
npm install -g @ionic/cli
Command To Create Ionic Tabs Structure APP:
ionic start your_application_name tabs
Command To Run Application:
ionic serve

Ionic Storage:

The access token on receiving to our Ionic application we need to store it to use it in a subsequent request, the ideal choice for it to use Ionic Storage.

Ionic storage provides an easy way to store key/value pairs and JSON objects. It has the capability of picking the storage medium based on the operating system application installed. For example, for native mobile its highest priority of storage will occur in SQLite, For a progressive web application, its preference will be given to IndexDB, WebSQL, LocalStorage, etc.
Command To Run Ionic Storage:
npm install --save @ionic/storage

Angular JWT Library:

The JWT token contains user payload, to decrypt the user info and use inside of our Ionic application we need to install an angular jwt library.
Command To Run Angular JWT Library:
npm install @auth0/angular-jwt

Create A Login Page:

Let's create a user login page, here instead of creating a file manually let's use the Ionic command to create a page that will create a separate module with routing file and with login page automatically.
Command To Create Login Page
ionic g page login
src/app/login/login.page.html:
  1. <ion-header>
  2. <ion-toolbar>
  3. <ion-title>login</ion-title>
  4. </ion-toolbar>
  5. </ion-header>
  6.  
  7. <ion-content>
  8. <ion-card>
  9. <ion-card-content>
  10. <div>
  11. <ion-label>Email/User Name</ion-label>
  12. <ion-input type="email" placeholder="Email/User Name" [(ngModel)]="loginForm.email"></ion-input>
  13. </div>
  14. <div>
  15. <ion-label>Password</ion-label>
  16. <ion-input type="password" placeholder="Password" [(ngModel)]="loginForm.password" ></ion-input>
  17. </div>
  18. <ion-button (click)="login()" expand="block">Login</ion-button>
  19. </ion-card-content>
  20. </ion-card>
  21. </ion-content>
  • (Line: 12-16)Login form with email and password input fields and enabled model binding for them.
  • (Line: 18) Login button configures with form submission method.
src/app/login/login.page.ts:
  1. import { Component, OnInit } from '@angular/core';
  2.  
  3. @Component({
  4. selector: 'app-login',
  5. templateUrl: './login.page.html',
  6. styleUrls: ['./login.page.scss'],
  7. })
  8. export class LoginPage implements OnInit {
  9.  
  10. loginForm = {
  11. email:'',
  12. password:''
  13. };
  14. constructor() { }
  15.  
  16. ngOnInit() {
  17. }
  18. login(){
  19. console.log('login clicked')
  20. }
  21. }

Mock JWT Access Token:

As a front end developer no need to spend more time onto work on JWT authentication API (using nodejs, .net, java server programs). So let's use a sample JWT token by mocking it in a constant variable in our application, latter we will make a dynamic API call for fetching the Jwt token at the end section of this article.
A sample jwt token:
eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJ1c2VybmFtZSI6IlRlc3QiLCJzdWIiOjIsImlhdCI6MTYwNDMwOTc0OSwiZXhwIjoxNjA0MzA5ODA5fQ.jHez9kegJ7GT1AO5A2fQp6Dg9A6PBmeiDW1YPaCQoYs

Create AuthService:

Now let's create an AuthService file, which contains all login/logout API calls of our application.

let's add the AuthService file with basic configuration variables to store info like 'user information', 'JwtHelper service', etc.
src/app/service/auth.service.ts:
  1. import { Injectable } from "@angular/core";
  2. import { BehaviorSubject, Observable, from, of, throwError } from "rxjs";
  3. import { map } from "rxjs/operators";
  4. import { JwtHelperService } from "@auth0/angular-jwt";
  5. import {Storage} from '@ionic/storage';
  6.  
  7. @Injectable({
  8. providedIn: "root",
  9. })
  10. export class AuthService {
  11. userInfo = new BehaviorSubject(null);
  12. jwtHelper = new JwtHelperService();
  13. constructor(
  14. private readonly storage:Storage
  15. ) {}
  16. }
  • (Line: 11) Initialize 'BehaviourSubject' to store the decrypted user information from the access token.
  • (Line: 12) Initialize 'JwtHelperService' from '@autho/angular-jwt' library.
  • (Line: 14) Injected Ionic storage from the '@ionic/storage' library.
Now let's implement a login logic using the mock jwt access toke(later part of the article we will use jwt API).
src/app/services/auth.service.ts:
  1. useLogin(login: any): Observable<boolean> {
  2. if (login && login.email && login.password) {
  3. var sampleJwt =
  4. "eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJ1c2VybmFtZSI6IlRlc3QiLCJzdWIiOjIsImlhdCI6MTYwNDMwOTc0OSwiZXhwIjoxNjA0MzA5ODA5fQ.jHez9kegJ7GT1AO5A2fQp6Dg9A6PBmeiDW1YPaCQoYs";
  5.  
  6. return of(sampleJwt).pipe(
  7. map((token) => {
  8. if (!token) {
  9. return false;
  10. }
  11. this.storage.set('access_token',token);
  12. var decodedUser = this.jwtHelper.decodeToken(token);
  13. this.userInfo.next(decodedUser);
  14. console.log(decodedUser);
  15. return true;
  16. })
  17. );
  18. }
  19. return of(false);
  20. }
  • (Line: 3) Assigned mock jwt token to a variable.
  • The reason here we used 'of' rxjs operator to return normal values as observable outputs. When we change this method to a normal API call then the signature of the method and structure don't need more changes that is the reason for mock logic we are using rxjs observable operators.
  • (Line: 11) Using Ionic storage service saving the access token.
  • (Line: 12) Decrypting the access token payload to fetch the user information.
  • (Line: 13)User information adding to BehaviourSubject observable.
Now in the login.module.ts file add the 'AuthService' reference into the provider's array.
src/app/login/login.module.ts:
  1. import { AuthService } from '../services/auth.service';
  2. // code hidden for display purpose
  3. @NgModule({
  4. providers:[AuthService]
  5. })
  6. export class LoginPageModule {
  7. }
Now consume the 'AuthService Method' into our Login page.
src/app/login/login.page.ts:
import { Component, OnInit } from '@angular/core';

import {AuthService} from '../services/auth.service';

@Component({
  selector: 'app-login',
  templateUrl: './login.page.html',
  styleUrls: ['./login.page.scss'],
})
export class LoginPage implements OnInit {

  loginForm = {
    email:'',
    password:''
  };
  constructor(private authService:AuthService) { }

  ngOnInit() {
  }
 
  login(){
     this.authService.useLogin(this.loginForm)
     .subscribe(value => {
       if(value){
         alert('login success');
       }
       else{
         alert('login fails')
       }
     },error => {
       alert('login fails')
     })
  }
}
Now run the application and login with any fake credentials as below.


Create User Dashboard Page:

Let's create the 'Dashboard' page where we navigate the user after logging in.
Command To Create Dashboard Page
ionic g page dashboard
Now fetch 'username' into the 'dashboard.page.ts' file
src/app/dashboard/dashboard.page.ts:
  1. import { Component, OnInit } from '@angular/core';
  2. import { AuthService } from '../services/auth.service';
  3.  
  4. @Component({
  5. selector: 'app-dashboard',
  6. templateUrl: './dashboard.page.html',
  7. styleUrls: ['./dashboard.page.scss'],
  8. })
  9. export class DashboardPage implements OnInit {
  10.  
  11. userName = ''
  12. constructor(private authService:AuthService) { }
  13.  
  14. ngOnInit() {
  15. this.authService.userInfo.subscribe(user => {
  16. alert(user)
  17. if(user){
  18. this.userName = user.username;
  19. }
  20. })
  21. }
  22. }
  • Uses AuthService to fetch user information.
src/app/dashboard/dashboard.page.html:
<ion-header>
  <ion-toolbar>
    <ion-title>{{userName}} - Dashboard</ion-title>
  </ion-toolbar>
</ion-header>

<ion-content>
<h1>Welcome!</h1>
</ion-content>
We have to share info in the AuthService file in the entire application. So in the previous step, we have added AuthService in LoginModule providers array, now please remove that reference from there. Now we configure AuthService globally adding into the AppModule file.
src/app/app.module.ts:
import { NgModule } from "@angular/core";

import {AuthService} from './services/auth.service';
// code hidden for display purpose
@NgModule({
  providers: [
    AuthService
  ]
})
export class AppModule {}

Create Route Guard:

Now we need to protect our routes using the angular guards like user not logged in then only show login page and if the user logged in then we can show the dashboard page.

Now in the 'AuthService' file, we have a behavior subject variable that stores the user information. We can think to use this variable to check the user in the guard, this works fine when the user is actively or continuously using our application. For suppose if the user logged in and closes the application and then opens after some time, in that case, this behaviour subject variable will be empty, so in this case, the user will see login page again despite he is a logged-in user.

So to solve this problem need to check the user info in the constructor of the 'AuthService' file. The guards also expect returns boolean of observable, so we will also create a new observable variable in the AuthSevice.
src/app/auth/auth.service.ts:
  1. import { Injectable } from "@angular/core";
  2. import { BehaviorSubject, Observable, from, of, throwError } from "rxjs";
  3. import { map, switchMap } from "rxjs/operators";
  4. import { JwtHelperService } from "@auth0/angular-jwt";
  5. import {Storage} from '@ionic/storage';
  6. import { Platform } from '@ionic/angular';
  7.  
  8. @Injectable({
  9. providedIn: "root",
  10. })
  11. export class AuthService {
  12. userInfo = new BehaviorSubject(null);
  13. jwtHelper = new JwtHelperService();
  14. checkUserObs:Observable<any>;
  15. constructor(
  16. private readonly storage:Storage,
  17. private readonly platform:Platform
  18. ) {
  19. this.loadUserInfo();
  20. }
  21.  
  22. loadUserInfo() {
  23. let readyPlatformObs = from(this.platform.ready());
  24.  
  25. this.checkUserObs = readyPlatformObs.pipe(
  26. switchMap(() => {
  27. return from(this.getAccessToke());
  28. }),
  29. map((token) => {
  30. if(!token){
  31. return null;
  32. }
  33. var decodedUser = this.jwtHelper.decodeToken(token);
  34. this.userInfo.next(decodedUser);
  35. return true;
  36. }));
  37. }
  38.  
  39. getAccessToke(){
  40. return this.storage.get("access_token");
  41. }
  42. // code hidden for display purpose
  43. }
  • (Line: 14) The 'checkUserObs' variable is the observable type, this variable will be used by the guard(will create in next steps) for protected routes.
  • (Line: 17) Injected the 'Platform' from '@ionic/angular'.
  • (Line: 19) In the constructor invoking 'loadUserInfo()'
  • (Line: 23) The 'ready()' method from the 'Platform' instance to check the application is in a ready state based on the device which helps to check accuracy.
  • (Line: 27) Fetching the token from the storage.
src/app/guards/auth.guards.ts:
  1. import { Injectable } from "@angular/core";
  2. import {
  3. CanActivate,
  4. ActivatedRouteSnapshot,
  5. RouterStateSnapshot,
  6. UrlTree,
  7. Router,
  8. } from "@angular/router";
  9. import { Observable } from "rxjs";
  10. import { AuthService } from "../services/auth.service";
  11. import { take, map } from "rxjs/operators";
  12.  
  13. @Injectable({
  14. providedIn: "root",
  15. })
  16. export class AuthGuard implements CanActivate {
  17. constructor(private authService: AuthService, private router: Router) {}
  18. canActivate(
  19. next: ActivatedRouteSnapshot,
  20. state: RouterStateSnapshot
  21. ):
  22. | Observable<boolean | UrlTree>
  23. | Promise<boolean | UrlTree>
  24. | boolean
  25. | UrlTree {
  26. return this.authService.checkUserObs.pipe(
  27. take(1),
  28. map((user) => {
  29. if (!user) {
  30. if (state.url.indexOf("login") != -1) {
  31. return true;
  32. } else {
  33. this.router.navigateByUrl("/login");
  34. return false;
  35. }
  36. } else {
  37. if(state.url.indexOf("login") != -1){
  38. this.router.navigateByUrl("/dashboard");
  39. return false;
  40. }else{
  41. return true;
  42. }
  43. }
  44. })
  45. );
  46. }
  47. }
  • If the 'checkUserObs' observable value returns true means the user is logged-in, in that case, if the user tries to access the 'login' URL then we redirect to the dashboard route. If the 'chekUserObs' returns value false then the user can only see a login page.
Now configure our AuthGuard in AppModule as below.
src/app/app.module.ts:
  1. import { AuthGuard } from './guards/auth.guard';
  2.  
  3. const routes: Routes = [
  4. {
  5. path: '',
  6. loadChildren: () => import('./tabs/tabs.module').then(m => m.TabsPageModule)
  7. },
  8. {
  9. path: 'login',
  10. loadChildren: () => import('./login/login.module').then( m => m.LoginPageModule),
  11. canActivate:[AuthGuard]
  12. },
  13. {
  14. path: 'dashboard',
  15. loadChildren: () => import('./dashboard/dashboard.module').then( m => m.DashboardPageModule),
  16. canActivate:[AuthGuard]
  17. }
  18. ];

Nestjs(Node.js) Jwt API:

Command To Install NestJS CLI:
npm i -g @nestjs/cli
Next, go to the root folder of the repo and run the command to install all the package
Command To Install ALL Packages In our Repository application:
npm install
That's all we have set up a JWT API in our local system for testing, now run the following command to start the application.
Command To Start NestJS APP:
npm run start:dev
Our jwt token endpoint
Url:- http://localhost:3000/auth/login
Payload:-
{
	"username":"test",
	"password":"1234"
}

note:- payload should be same as above, variable name 'username' and 'password'
don't change them, they are even case sensitive. credentials also use as above

Use Authentication Endpoint In AuthService:

First import 'HttpClientModule' into the AppModule before the routing module.
src/app/app.module.ts:
  1. import {HttpClientModule} from '@angular/common/http';
  2. // code hidden for display purpose
  3. @NgModule({
  4. imports: [BrowserModule,
  5. HttpClientModule,
  6.  
  7. IonicModule.forRoot(),
  8. AppRoutingModule,
  9. IonicStorageModule.forRoot()
  10. ],
  11. })
  12. export class AppModule {}
  • The 'HttpClientModule' must declare above the 'AppRoutingModule'.
Now inject the'HttpClient' instance from '@angular/common/http' into the AuthService file, then update the 'userLogin()' method to use jwt API.
src/app/services/auth.service.ts:
useLogin(login: any): Observable<boolean> {
if(login && login.email && login.password){
  var payload={
	username:login.email,
	password:login.password
  };
  return this.http.post("http://localhost:3000/auth/login",payload).pipe(
	map((response:any)=>{
	  console.log(response);
	  this.storage.set('access_token',response.access_token);
	  var decodedUser = this.jwtHelper.decodeToken(response.access_token);
	  this.userInfo.next(decodedUser);
	  console.log(decodedUser);
	  return true;
	})
  )
}

return of(false);
}
  • Here mocked jwt token replaced with jwt endpoint API
That's all about the steps to implement the Jwt authentication in Ionic5 angular application. In the next article, we implement the steps to use the refresh token.

Support Me!
Buy Me A Coffee PayPal Me

Wrapping Up:

Hopefully, I think this article delivered some useful information on the JWT authentication in Ionic5 angular application. I love to have your feedback, suggestions, and better techniques in the comment section below.

Refer:

0 comments:

Post a Comment

Note: only a member of this blog may post a comment.