我有一个向api发出请求的服务,根据它的响应,我应该决定是否必须加载一个组件。但是由于花费了一段时间来接收响应,组件加载而不管响应状态如何,并且在一段时间(大约0.5秒)之后收到响应,如果组件不能加载,我们将导航到其他地方。在收到回复之前,我不希望加载该组件。
我在角度4中使用 AuthGuard 中的 canActivate 功能,如下所示:
export class AuthGuard implements CanActivate {
access = true;
res: any;
constructor(private router: Router, private routeService: RouteService){}
canActivate(route: ActivatedRouteSnapshot, state: RouterStateSnapshot) {
setTimeout(() => {
if( !this.exept.includes(this.router.url) ){
this.routeService.FormOperation(this.router.url).subscribe(item=> {
this.res = item;
if (this.res.status == 200) {
if (this.res.data.Access[1] == false) {
this.access = false;
}
if (this.access == true)
{
return true;
}
else {
this.router.navigate(['/dashboard']);
return false;
}
})
}
},0);
if (sessionStorage.getItem('token') && this.access)
{
// logged in so return true
return true;
}
// not logged in so redirect to login page with the return url
this.router.navigate(['/login'], { queryParams: { returnUrl: state.url }});
return false;
}
我正在使用 setTimeout 以便我可以获得正确的 this.router.url 。
更新
我添加了解析器,如下所示:
resolve(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): void {
this.routeService.FormOperation(this.router.url).toPromise()
.then(response => {
this.form_operation_data = response;
if(!this.form_operation_data['data']['Access'][1]) {
this.router.navigate(['/dashboard']);
}
})
.catch(err => {
console.error(err);
});
}
但仍然在响应数据收到之前加载组件......
答案 0 :(得分:2)
你是如此接近:你的AuthGuard应该返回true
或false
,并且根据这个值,路由将被激活或不被激活。现在您必须将此auth guard添加到您的路由(这是激活子路由的示例)。如果您想在组件加载之前获取数据,可以使用解析器。
<强>解析器强>
/* Imports */
@Injectable()
export class DataResolverService {
constructor(
private _serviceToShareData: ServiceToShareData,
private _serviceToGetData: ServiceToGetData,
) { }
resolve(route: ActivatedRouteSnapshot, state: RouterStateSnapshot): void {
this._serviceToGetData.anyRequestToApi()
.then(response => {
this._serviceToShareData.setData(response);
})
.catch(err => {
console.error(err);
});
}
}
现在,您可以从组件中的ServiceToShareData服务获取数据,您希望使用此数据加载该数据。
路由模块
/* Other imports */
import {DataResolverService } from './path-to-service/data-resolver-service'
import {AuthGuard} from './path-to-service/auth-guard'
const routes: Routes = [
{
path: 'app',
component: ParentComponent,
children: [
{
path: 'child-route',
component: childRouteComponent,
canActivate: [AuthGuard],
resolve: {
data: DataResolverService
}
}
]
}
];
/* Other stuff like @NgModule and class export*/