为了现实性和完整性,我添加了我的一块蛋糕。以下是我对这个话题的重要看法。请记住这篇文章的日期是2022年10月,电子版本是21.1.1。
在电子文档中有一篇文章叫做进程间通信,其中以非常清晰的方式描述了这个主题。
下面的代码只是前面提到的站点上示例代码的一个副本。
main.js文件:
const {app, BrowserWindow, ipcMain} = require('electron')
const path = require('path')
function createWindow () {
const mainWindow = new BrowserWindow({
webPreferences: {
preload: path.join(__dirname, 'preload.js')
}
})
ipcMain.on('set-title', (event, title) => {
const webContents = event.sender
const win = BrowserWindow.fromWebContents(webContents)
win.setTitle(title)
})
mainWindow.loadFile('index.html')
}
app.whenReady().then(() => {
createWindow()
app.on('activate', function () {
if (BrowserWindow.getAllWindows().length === 0) createWindow()
})
})
app.on('window-all-closed', function () {
if (process.platform !== 'darwin') app.quit()
})
总结:
在webPreferences中只定义预加载脚本,并让所有那些nodeIntegration, nodeIntegrationInWorker, nodeIntegrationInSubFrames, enableRemoteModule, contextIsolation应用默认值。
下一个文件是preload.js:
const { contextBridge, ipcRenderer } = require('electron')
contextBridge.exposeInMainWorld('electronAPI', {
setTitle: (title) => ipcRenderer.send('set-title', title)
})
在这里,electronAPI对象将被注入到浏览器上下文中,因此将有一个窗口。电子api对象,它将有一个名为setTitle的成员函数。当然你也可以添加其他属性。
setTitle函数只调用ipcRenderer。发送是进程间通信桥或隧道的一端。
你在这里发送的内容在另一端,在main.js文件中,ipcMain。在函数。在这里,您注册了设置标题事件。
下面的例子继续使用index.html文件:
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<!-- https://developer.mozilla.org/en-US/docs/Web/HTTP/CSP -->
<meta http-equiv="Content-Security-Policy" content="default-src 'self'; script-src 'self'">
<title>Hello World!</title>
</head>
<body>
Title: <input id="title"/>
<button id="btn" type="button">Set</button>
<script src="./renderer.js"></script>
</body>
</html>
加载renderer.js脚本:
const setButton = document.getElementById('btn')
const titleInput = document.getElementById('title')
setButton.addEventListener('click', () => {
const title = titleInput.value
window.electronAPI.setTitle(title)
});
在那里你可以访问window.electronAPI.setTitle函数,它是你在preload.js中定义的,它将标题发送到ipcRenderer中,然后这个标题从main.js中的ipcMain中掉出来,触发一个事件并导致一个函数运行,该函数依次设置应用程序的标题。
所以我要再次强调阅读文档。有更多关于IPC的示例。另外,请阅读上下文隔离章节,它非常简短和清晰。