如何强制关闭 Electron 应用程序?
2019-07-10
7531
我有一个电子应用程序,它加载了应用程序网络版本的 URL。 但是我无法通过单击 X 按钮关闭应用程序,并且我无法访问网络应用程序。 我尝试过这个:
let count = BrowserWindow.getAllWindows().length;
///returns 1, so there is only 1 window)
window.onbeforeunload=function(e){
e.returnValue=undefined;
return undefined;
}
window.close();
app.quit();
什么都没发生。
app.exit(0)
有效,但我不想使用它。有没有办法用
window.close
和
app.quit
关闭应用程序?
编辑:
问题是那些全局 beforeunload 事件。如果我在 devtools 中单击删除,我就可以关闭应用程序。
此外,此
let names= window.eventNames();
返回一个没有任何
beforeunload
事件的数组
2个回答
在创建 BrowserWindow 的文件中,您可以将事件附加到窗口的“关闭”处理程序。对于 Electron,这通常是 main.js。
const {app, BrowserWindow} = require('electron');
let mainWindow = null;
app.on('ready', () => {
mainWindow = new BrowserWindow({
//options here
});
mainWindow.loadURL([url here]);
//attach event handler here
mainWindow.on("close", () => {
mainWindow = null;
app.quit();
});
});
为了保险起见,如果您可能有多个窗口,请将其放在 main.js 文件中。
app.on('window-all-closed', () => {
if(process.platform !== "darwin")
app.quit();
});
cjriii
2019-07-10
您需要保存 BrowserWindow 对象引用。然后监听 'closed' 事件并取消引用它:
const { app, BrowserWindow } = require('electron');
let win; // = new BrowserWindow();
win.on('closed', () => {
win = null
})
取消引用后,一切都很简单,只需在 app 上监听 'window-all-closed' 事件:
app.on('window-all-closed', () => {
app.quit()
})
Lukas Bobinas
2019-07-10