可以通过实现一个具有Observable输入的AuthService来解决这个问题。 在该服务中,我们将提供一个名为authState$的可观察对象,以便我们可以直接订阅和监视当前用户的身份验证状态。 我们可以将路由守卫与这个可观察对象合并,以便我们可以在任何时间点验证用户是否已经登录。
代码示例如下:
import { Injectable } from '@angular/core';
import { Observable, BehaviorSubject } from 'rxjs';
@Injectable({
providedIn: 'root'
})
export class AuthService {
private authStateSubject = new BehaviorSubject(false);
authState$: Observable = this.authStateSubject.asObservable();
constructor() {}
login() {
// perform login logic here
// once login is successful, change the value of authStateSubject to true
this.authStateSubject.next(true);
}
logout() {
// perform logout logic here
// once logout is complete, change the value of authStateSubject to false
this.authStateSubject.next(false);
}
}
现在我们有了一个AuthService,可以在 Guard 中将其注入,以便我们可以检查用户的身份验证状态:
import { Injectable } from '@angular/core';
import { CanActivate, ActivatedRouteSnapshot, RouterStateSnapshot, Router } from '@angular/router';
import { Observable } from 'rxjs';
import { AuthService } from './auth.service';
import { tap } from 'rxjs/operators';
@Injectable({
providedIn: 'root'
})
export class AuthGuard implements CanActivate {
constructor(private authService: AuthService, private router: Router) {}
canActivate(
next: ActivatedRouteSnapshot,
state: RouterStateSnapshot
): Observable | Promise | boolean {
return this.authService.authState$.pipe(
tap(authenticated => {
if (!authenticated) {
// if user is not authenticated, redirect them to the login page
this.router.navigate(['/login']);
}
})
);
}
}
通过这个 Guard,我们可以确保只有当用户已经通过身份验证时才能访问受保护的路由。 另外,由于我们使用了可观察对象,因此 Guard 将在用户身份验证状态更改时自动重复验证。