7

我需要制作一个简单的确认窗口,并且我看到了很多关于如何通过额外操作来做到这一点的示例(比如等到文件上传表单不是字段)。但是我只需要创建一个带有默认文本的默认确认窗口(如下图所示),以便在用户想要从当前页面离开时显示它。而且我无法完全理解我应该在处理before unload事件中证明什么逻辑。

图像示例

如果这是一个问题,我最近很抱歉,但是,我没有找到任何解决方案。所以我有:

例子.guard.ts

export interface CanComponentDeactivate {
    canDeactivate: () => Observable<boolean> | boolean;
}

@Injectable()
export class ExampleGuard implements CanDeactivate<CanComponentDeactivate> {

    constructor() { }

    canDeactivate(component: CanComponentDeactivate): boolean | Observable<boolean> {
        return component.canDeactivate() ?
            true :
            confirm('message'); // <<< does confirm window should appear from here?
    }
}

例子.component.ts

export class ExampleComponent implements CanComponentDeactivate {

    counstructor() { }

    @HostListener('window:beforeunload', ['$event'])
        canDeactivate($event: any): Observable<boolean> | boolean {
            if (!this.canDeactivate($event)) {
                // what should I do here?
            }
        }
}

如果您提供代码示例,那就太好了,但我很感激任何帮助。

4

1 回答 1

7

您应该区分beforeunload原生事件 onwindow和 canDeactivate 守卫。当您尝试关闭选项卡/窗口时,会触发第一个。这样当它被触发时,您可以confirm(...)使用并event.preventDefault()在其上执行以取消关闭选项卡/窗口。

谈到CanDeactivate守卫,它应该返回一个 boolean 的 observable/promise/plain-value,它会告诉你是否可以停用当前路由。

因此,最好将两种方法分开(一种用于beforeunload守卫,另一种用于守卫)。因为如果您想更改行为以不仅使用本机确认,而且您的自定义模式窗口默认事件处理程序beforeunload将无法工作,因为它处理同步代码。因此,beforeunload您只能使用confirm要求用户不要离开页面。

loading = true;
@HostListener('window:beforeunload', ['$event'])
canLeavePage($event: any): Observable<void> {
  if(this.loading && confirm('You data is loading. Are you sure you want to leave?')) {
    $event.preventDefault();
  }
}

另一方面,Guard 希望返回布尔值(或 Promise 或 Observable)。所以在这里你可以只返回你的条件的结果:

canDeactivate(): boolean {
  return this.loading && confirm('You data is loading. Are you sure you want to leave?');
}

这样在您的CanDeactivate保护下,它将像return component.canDeactivate()

于 2019-01-15T13:48:18.643 回答