我创建了一个用户输入数据的应用程序。在那个应用程序上,我想实现路由器保护以拒绝用户返回页面,这样他们就不会丢失数据。如果用户单击浏览器上的后退按钮,它会重新加载页面而不是返回?
我正在考虑使用 canDeactivate 拒绝访问上一页和 Angular Location 来确定用户在哪个页面上,然后重新加载该页面。但我不知道如何实现这一点。
我创建了一个用户输入数据的应用程序。在那个应用程序上,我想实现路由器保护以拒绝用户返回页面,这样他们就不会丢失数据。如果用户单击浏览器上的后退按钮,它会重新加载页面而不是返回?
我正在考虑使用 canDeactivate 拒绝访问上一页和 Angular Location 来确定用户在哪个页面上,然后重新加载该页面。但我不知道如何实现这一点。
首先,您必须创建一个声明canDeactivate
方法的接口,并使用此接口创建一个充当canDeactivate
守卫的服务。该服务将定义canDeactivate
方法如下:
停用.guard.ts:
import { Injectable } from '@angular/core';
import { CanDeactivate } from '@angular/router';
export interface CanComponentDeactivate {
canDeactivate(): boolean;
}
@Injectable()
export class DeactivateGuard implements CanDeactivate<CanComponentDeactivate> {
canDeactivate(component: CanComponentDeactivate): boolean {
/*
The return value would be true, unless the canActivate function,
defined on the component returns false,
in which case the function will open a Dialog Box,
to ask if we want to stay on the page or leave the page.
*/
if (component.canDeactivate()) return true;
else return confirm('You have unsaved changes!') ? true : false;
}
}
接口声明了canDeactivate
返回类型为布尔值的方法。在服务代码中,我们canDeactivate
使用组件实例调用方法。
app.module.ts:
import { CanDeactivateGuard } from './can-deactivate-guard.service';
------
@NgModule({
------
providers: [
CanDeactivateGuard
]
})
export class AppRoutingModule { }
formComponent.ts:
import { Component, HostListener } from '@angular/core';
import { FormGroup, FormBuilder } from '@angular/forms';
import { CanComponentDeactivate } from 'src/app/deactivate.guard';
@Component({
selector: 'app-form',
templateUrl: './form.component.html',
styleUrls: ['./form.component.scss']
})
export class FormComponent implements CanComponentDeactivate {
saved: boolean;
form: FormGroup;
constructor(private fb: FormBuilder) {
this.form = this.fb.group({
name: ['']
});
}
/* Prevent page reloading */
@HostListener('window:beforeunload', ['$event'])
canReload(e) {
if (!this.canDeactivate()) e.returnValue = true;
}
submit = () => this.saved = true;
canDeactivate = () => this.saved || !this.form.dirty;
}
您需要使用 canDeactivate 属性将我们的 CanDeactivate 保护 .ie DeactivateGuard 添加到路由模块中的组件路由。
应用程序路由.module.ts:
const routes: Routes = [
{
path: 'home',
component: FormComponent,
canDeactivate: [DeactivateGuard]
},
{ path: 'next', component: NextComponent },
{ path: '', redirectTo: '/home', pathMatch: 'full' }
];
您不妨考虑将数据存储在服务中,因为这可能是更好的选择。