@theia/core
Version:
Theia is a cloud & desktop IDE framework implemented in TypeScript.
168 lines (151 loc) • 7.09 kB
text/typescript
// *****************************************************************************
// Copyright (C) 2017 TypeFox and others.
//
// This program and the accompanying materials are made available under the
// terms of the Eclipse Public License v. 2.0 which is available at
// http://www.eclipse.org/legal/epl-2.0.
//
// This Source Code may also be made available under the following Secondary
// Licenses when the conditions for such availability set forth in the Eclipse
// Public License v. 2.0 are satisfied: GNU General Public License, version 2
// with the GNU Classpath Exception which is available at
// https://www.gnu.org/software/classpath/license.html.
//
// SPDX-License-Identifier: EPL-2.0 OR GPL-2.0-only WITH Classpath-exception-2.0
// *****************************************************************************
import { inject, injectable, named } from 'inversify';
import { Event, Emitter } from '../../common';
import { CorePreferences } from '../core-preferences';
import { ContributionProvider } from '../../common/contribution-provider';
import { FrontendApplicationContribution, OnWillStopAction } from '../frontend-application-contribution';
import { WindowService } from './window-service';
import { DEFAULT_WINDOW_HASH } from '../../common/window';
import { confirmExit } from '../dialogs';
import { StopReason } from '../../common/frontend-application-state';
import { FrontendApplication } from '../frontend-application';
()
export class DefaultWindowService implements WindowService, FrontendApplicationContribution {
protected frontendApplication: FrontendApplication;
protected allowVetoes = true;
protected onUnloadEmitter = new Emitter<void>();
get onUnload(): Event<void> {
return this.onUnloadEmitter.event;
}
(CorePreferences)
protected readonly corePreferences: CorePreferences;
(ContributionProvider)
(FrontendApplicationContribution)
protected readonly contributions: ContributionProvider<FrontendApplicationContribution>;
onStart(app: FrontendApplication): void {
this.frontendApplication = app;
this.registerUnloadListeners();
}
openNewWindow(url: string): undefined {
window.open(url, undefined, 'noopener');
return undefined;
}
openNewDefaultWindow(): void {
this.openNewWindow(`#${DEFAULT_WINDOW_HASH}`);
}
/**
* Returns a list of actions that {@link FrontendApplicationContribution}s would like to take before shutdown
* It is expected that this will succeed - i.e. return an empty array - at most once per session. If no vetoes are received
* during any cycle, no further checks will be made. In that case, shutdown should proceed unconditionally.
*/
protected collectContributionUnloadVetoes(): OnWillStopAction[] {
const vetoes: OnWillStopAction[] = [];
if (this.allowVetoes) {
const shouldConfirmExit = this.corePreferences['application.confirmExit'];
for (const contribution of this.contributions.getContributions()) {
const veto = contribution.onWillStop?.(this.frontendApplication);
if (veto && shouldConfirmExit !== 'never') { // Ignore vetoes if we should not prompt the user on exit.
if (OnWillStopAction.is(veto)) {
vetoes.push(veto);
} else {
vetoes.push({ reason: 'No reason given', action: () => false });
}
}
}
vetoes.sort((a, b) => (a.priority ?? -Infinity) - (b.priority ?? -Infinity));
if (vetoes.length === 0 && shouldConfirmExit === 'always') {
vetoes.push({ reason: 'application.confirmExit preference', action: () => confirmExit() });
}
if (vetoes.length === 0) {
this.allowVetoes = false;
}
}
return vetoes;
}
/**
* Implement the mechanism to detect unloading of the page.
*/
protected registerUnloadListeners(): void {
window.addEventListener('beforeunload', event => this.handleBeforeUnloadEvent(event));
// In a browser, `unload` is correctly fired when the page unloads, unlike Electron.
// If `beforeunload` is cancelled, the user will be prompted to leave or stay.
// If the user stays, the page won't be unloaded, so `unload` is not fired.
// If the user leaves, the page will be unloaded, so `unload` is fired.
window.addEventListener('unload', () => this.onUnloadEmitter.fire());
}
async isSafeToShutDown(stopReason: StopReason): Promise<boolean> {
const vetoes = this.collectContributionUnloadVetoes();
if (vetoes.length === 0) {
return true;
}
const preparedValues = await Promise.all(vetoes.map(e => e.prepare?.(stopReason)));
console.debug('Shutdown prevented by', vetoes.map(({ reason }) => reason).join(', '));
for (let i = 0; i < vetoes.length; i++) {
try {
const result = await vetoes[i].action(preparedValues[i], stopReason);
if (!result) {
return false;
}
} catch (e) {
console.error(e);
}
}
console.debug('OnWillStop actions resolved; allowing shutdown');
this.allowVetoes = false;
return true;
}
setSafeToShutDown(): void {
this.allowVetoes = false;
}
/**
* Called when the `window` is about to `unload` its resources.
* At this point, the `document` is still visible and the [`BeforeUnloadEvent`](https://developer.mozilla.org/en-US/docs/Web/API/Window/beforeunload_event)
* event will be canceled if the return value of this method is `false`.
*
* In Electron, handleCloseRequestEvent is is run instead.
*/
protected handleBeforeUnloadEvent(event: BeforeUnloadEvent): string | void {
const vetoes = this.collectContributionUnloadVetoes();
if (vetoes.length) {
// In the browser, we don't call the functions because this has to finish in a single tick, so we treat any desired action as a veto.
console.debug('Shutdown prevented by', vetoes.map(({ reason }) => reason).join(', '));
return this.preventUnload(event);
}
console.debug('Shutdown will proceed.');
}
/**
* Notify the browser that we do not want to unload.
*
* Notes:
* - Shows a confirmation popup in browsers.
* - Prevents the window from closing without confirmation in electron.
*
* @param event The beforeunload event
*/
protected preventUnload(event: BeforeUnloadEvent): string | void {
event.returnValue = '';
event.preventDefault();
return '';
}
reload(): void {
this.isSafeToShutDown(StopReason.Reload).then(isSafe => {
if (isSafe) {
window.location.reload();
}
});
}
}