Home > Web Front-end > JS Tutorial > body text

A brief analysis of lazy loading, guards, and dynamic parameters in Angular routing

青灯夜游
Release: 2021-07-01 11:05:59
forward
2485 people have browsed it

A brief analysis of lazy loading, guards, and dynamic parameters in Angular routing

Routing is a mechanism that maps URL requests to specific codes. It plays an important role in the module division and information architecture of the website. Angular’s ​​routing capabilities are very powerful. We Let’s take a look. [Related tutorial recommendations: "angular tutorial"]

Routing lazy loading

AngularYou can dynamically load the corresponding module code according to the route, this Functions are powerful tools for performance optimization.

In order to speed up the rendering speed of the homepage, we can design the following routing to keep the homepage as simple and refreshing as possible:

const routes: Routes = [
  {
    path: '',
    children: [
      {
        path: 'list',
        loadChildren: () => import('./components/list/list.module').then(m => m.ListModule),
      },
      {
        path: 'detail',
        loadChildren: () => import('./components/detail/detail.module').then(m => m.DetailModule),
      },
      ...
    ],
  },
];
Copy after login

The homepage only has some simple static elements, while other pages, such as lists, Details, configuration and other modules are dynamically loaded using loadChildren.

The effect is as follows:

A brief analysis of lazy loading, guards, and dynamic parameters in Angular routing

The components-list-list-module-ngfactory.js file can only be accessed when /list will be loaded only when routing.

Route Guard

When we access or switch routes, the corresponding modules and components will be loaded. Route guards can be understood as hooks before and after route loading. The most common one is the guard that enters the route. And the guard leaving the route:

  • canActivate Entering the guard
  • canDeactivate Leaving the guard

For example, we want to determine whether the user has access before entering the details page. permissions, you can use the canActivate guard.

Add routing guard

{
  path: 'detail',
  loadChildren: () => import('./components/detail/detail.module').then(m => m.DetailModule),

  // 路由守卫
  canActivate: [AuthGuard],
},
Copy after login

Write guard logic

Use CLI command to create a routing guard module:

ng g guard auth
Copy after login

auth.guard.ts

import { Injectable } from '@angular/core';
import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot, UrlTree } from '@angular/router';
import { Observable } from 'rxjs';
import { DetailService } from './detail.service';

@Injectable({
  providedIn: 'root'
})
export class AuthGuard implements CanActivate {
  constructor(
    private detailService: DetailService,
  ) {}

  canActivate(
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot): Observable<boolean | UrlTree> | Promise<boolean | UrlTree> | boolean | UrlTree {
    return new Observable(observer => {
      // 鉴权数据从后台接口异步获取
      this.detailService.getDetailAuth().subscribe((hasPermission: boolean) => {
        observer.next(hasPermission);
        observer.complete();
      });
    });
  }
}
Copy after login

Get permission service

Get permission service:

ng g s detail
Copy after login

detail.service.ts

import {Injectable} from &#39;@angular/core&#39;;
import { HttpClient } from &#39;@angular/common/http&#39;;

@Injectable({ providedIn: &#39;root&#39; })
export class DetailService {
  constructor(
    private http: HttpClient,
  ) { }

  getDetailAuth(): any {
    return this.http.get(&#39;/detail/auth&#39;);
  }
}
Copy after login

The effect is as follows:

A brief analysis of lazy loading, guards, and dynamic parameters in Angular routing

Since we have added guards to the /detail route, whether it is switching from other routes to the /detail route, or directly accessing the /detail route, Can't access this page.

Dynamic routing parameters

There are many ways to bring parameters in routing:

  • With parameters in path
  • With parameters in queryString
  • Without parameters via link

With parameters in path

{
  path: &#39;user/:id&#39;,
  loadChildren: () => import(&#39;./components/user/user.module&#39;).then(m => m.UserModule),
},
Copy after login

With parameters in queryString

htmlPassing parameters

<a [routerLink]="[&#39;/list&#39;]" [queryParams]="{id: &#39;1&#39;}">...</a>
Copy after login

ts parameter passing

this.router.navigate([&#39;/list&#39;],{ queryParams: { id: &#39;1&#39; });
Copy after login

Pass static parameters through data

Note: Routing parameters passed through data can only be static

{
  path: &#39;detail&#39;,
  loadChildren: () => import(&#39;./components/detail/detail.module&#39;).then(m => m.DetailModule),
  
  // 静态参数
  data: {
    title: &#39;详情&#39;
  }
},
Copy after login

Passing dynamic parameters through resolve

data can only pass static parameters. So I want to pass the dynamic parameters obtained from the background interface through routing. What should I do?

The answer is through resolve configuration.

{
  path: &#39;detail&#39;,
  loadChildren: () => import(&#39;./components/detail/detail.module&#39;).then(m => m.DetailModule),
  
  // 动态路由参数
  resolve: {
    detail: DetailResolver
  },
},
Copy after login

Create Resolver

detail.resolver.ts

import { Injectable } from &#39;@angular/core&#39;;
import { Resolve, ActivatedRouteSnapshot, RouterStateSnapshot } from &#39;@angular/router&#39;;
import { DetailService } from &#39;./detail.service&#39;;

@Injectable({ providedIn: &#39;root&#39; })
export class DetailResolver implements Resolve<any> {

  constructor(private detailService: DetailService) { }

  resolve(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): any {
    return this.detailService.getDetail();
  }
}
Copy after login

Add a method to obtain detailed data in the service

detail.service.ts

import {Injectable} from &#39;@angular/core&#39;;
import { HttpClient } from &#39;@angular/common/http&#39;;

@Injectable({ providedIn: &#39;root&#39; })
export class DetailService {
  constructor(
    private http: HttpClient,
  ) { }

  getDetailAuth(): any {
    return this.http.get(&#39;/detail/auth&#39;);
  }

  // 增加的
  getDetail(): any {
    return this.http.get(&#39;/detail&#39;);
  }
}
Copy after login

Get dynamic parameters

Create component

ng g c detial
Copy after login

detail.component.ts

import { Component, OnInit } from &#39;@angular/core&#39;;
import { ActivatedRoute } from &#39;@angular/router&#39;;

@Component({
  selector: &#39;app-detail&#39;,
  templateUrl: &#39;./detail.component.html&#39;,
  styleUrls: [&#39;./detail.component.scss&#39;]
})
export class DetailComponent implements OnInit {

  constructor(
    private route: ActivatedRoute,
  ) { }

  ngOnInit(): void {
    // 和获取静态参数的方式是一样的
    const detail = this.route.snapshot.data.detail;
    console.log(&#39;detail:&#39;, detail);
  }

}
Copy after login

For more programming related knowledge, please visit: Programming Video! !

The above is the detailed content of A brief analysis of lazy loading, guards, and dynamic parameters in Angular routing. For more information, please follow other related articles on the PHP Chinese website!

Related labels:
source:juejin.cn
Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Popular Tutorials
More>
Latest Downloads
More>
Web Effects
Website Source Code
Website Materials
Front End Template