我有一个这样的警卫:
@Injectable()
export class CustomerGuard implements CanActivate {
constructor(
private authService: AuthenticationService,
private dialog: MatDialog
) { }
canActivate(
next: ActivatedRouteSnapshot,
state: RouterStateSnapshot): Observable<boolean> | Promise<boolean> | boolean {
if (this.authService.isCustomer) {
return true;
}
const dialog = this.dialog.open(SigninModalComponent, {
data: {
errorMessage: this.authService.isLoggedIn ?
'You don\t have access to this page, please use an appropriate account' :
'Please authenticate to access this page'
}
});
return dialog.afterClosed().pipe(
map(() => {
return this.authService.isCustomer;
})
);
}
}
当我在浏览器的地址栏中键入未经授权的路由时,服务器端渲染将显示一个惰性模式,然后当客户端接管时,将显示另一个有效模式,在此我可以成功进行身份验证并访问所请求的路由。
问题在于服务器端呈现的模式永远不会消失...
是否有解决此问题的干净方法,并不意味着不在服务器端显示模式?
答案 0 :(得分:0)
我会用DI来帮助您。我利用他们网站上的Angular Universal示例来创建示例。
首先创建一个令牌:
app/tokens.ts
import { InjectionToken } from '@angular/core';
export let RENDERED_BY_TOKEN = new InjectionToken('renderedBy');
更新app.module.ts
以使用此令牌通过DI容器提供值:
import { RENDERED_BY_TOKEN } from './tokens';
@NgModule({
.
.
.
providers: [
.,
.,
{ provide: RENDERED_BY_TOKEN, useValue: 'client' }
],
.
.
.
export class AppModule { }
更新app.server.module.ts
以使用此令牌通过DI容器提供值:
import { RENDERED_BY_TOKEN } from './tokens';
@NgModule({
.
.
.
providers: [
.,
.,
{ provide: RENDERED_BY_TOKEN, useValue: 'server' }
],
.
.
.
export class AppServerModule { }
然后在代码的其他位置(我使用了一个组件,但是您将其放在路由防护中),使用该令牌注入值:
app.component.ts
import { Component, Inject } from '@angular/core';
import { RENDERED_BY_TOKEN } from './tokens';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.css']
})
export class AppComponent {
title = 'Tour of Heroes';
renderedBy;
constructor(@Inject(RENDERED_BY_TOKEN) val: string) {
this.renderedBy = val;
}
}
app.component.html
<h1>{{title}}</h1>
<h5>{{renderedBy}}</h5>
<nav>
<a routerLink="/dashboard">Dashboard</a>
<a routerLink="/heroes">Heroes</a>
</nav>
<router-outlet></router-outlet>
<app-messages></app-messages>
如果运行此命令,您将看到h5
元素从“服务器”更新为“客户端”,表明其工作正常。您可以在if语句的保护中使用此值,以不在服务器渲染中显示该对话框。
更新
在撰写本文时,我注意到了一种更简单的方法。看来Angular本身可以为您提供此信息,而无需自定义令牌。
在Guard中,您可以使用以下内容对其进行更新:
import { PLATFORM_ID, Inject } from '@angular/core';
import { isPlatformBrowser } from '@angular/common';
constructor(@Inject(PLATFORM_ID) private platformId: Object) {
const isServer = !isPlatformBrowser(platformId);
}
UPDATE2
考虑到问题的澄清,我能够做到这一点的唯一方法似乎并不理想,但这是我迄今为止发现的唯一方法。
document.querySelectorAll('.cdk-overlay-container').forEach(dialog => dialog.remove());
作为参考,我为该答案所做的所有工作都在GitHub repo中。