在Angular应用中,路由守卫用于控制导航的权限和行为。你可以使用路由守卫来执行诸如身份验证、权限检查等操作。以下是如何在“英雄之旅”应用中添加路由守卫的一般步骤。

首先,你可以创建一个路由守卫服务。使用以下命令生成一个新的路由守卫服务:
ng generate service auth-guard

这将创建一个名为auth-guard.service.ts的文件。在这个文件中,你可以编写路由守卫逻辑。以下是一个简单的例子:
// auth-guard.service.ts

import { Injectable } from '@angular/core';
import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot, UrlTree, Router } from '@angular/router';
import { Observable } from 'rxjs';
import { AuthService } from './auth.service'; // 假设有一个名为 AuthService 的身份验证服务

@Injectable({
  providedIn: 'root',
})
export class AuthGuard implements CanActivate {
  constructor(private authService: AuthService, private router: Router) {}

  canActivate(
    next: ActivatedRouteSnapshot,
    state: RouterStateSnapshot
  ): Observable<boolean | UrlTree> | Promise<boolean | UrlTree> | boolean | UrlTree {
    if (this.authService.isAuthenticated()) {
      return true;
    } else {
      // 如果用户未经身份验证,导航到登录页面
      this.router.navigate(['/login']);
      return false;
    }
  }
}

在上述代码中,AuthGuard实现了CanActivate接口,它有一个canActivate方法,该方法用于决定是否允许导航。在这个例子中,我们假设有一个名为AuthService的身份验证服务,并在canActivate方法中检查用户是否已经通过身份验证。

接下来,更新路由配置,将路由守卫添加到需要保护的路由上。在app-routing.module.ts中:
// app-routing.module.ts

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

import { HeroListComponent } from './hero-list/hero-list.component';
import { HeroDetailComponent } from './hero-detail/hero-detail.component';
import { CrisisCenterComponent } from './crisis-center/crisis-center.component';
import { AuthGuard } from './auth-guard.service'; // 导入 AuthGuard 服务

const routes: Routes = [
  { path: 'heroes', component: HeroListComponent },
  { path: 'detail/:id', component: HeroDetailComponent, canActivate: [AuthGuard] },
  { path: 'crisis-center', component: CrisisCenterComponent, canActivate: [AuthGuard] },
  { path: '', redirectTo: '/heroes', pathMatch: 'full' },
];

@NgModule({
  imports: [RouterModule.forRoot(routes)],
  exports: [RouterModule],
})
export class AppRoutingModule {}

在上述代码中,我们在需要身份验证的路由上使用了canActivate属性,并将AuthGuard服务添加到了canActivate属性的数组中。这意味着只有当AuthGuard服务返回true时,导航才会继续进行,否则用户将被重定向到登录页面或其他适当的页面。

通过上述步骤,你的Angular应用现在应该具有基本的路由守卫功能,可以根据需要进一步定制守卫逻辑。


转载请注明出处:http://www.pingtaimeng.com/article/detail/4945/Angular