首页 > 解决方案 > Electron - 在主进程和渲染器进程之间设置 IPC 通信

问题描述

我正在使用https://github.com/maxogden/menubar使用 Electron 创建菜单栏桌面应用程序。但是,我正在努力设置基本的 IPC 通信。知道为什么下面的代码不起作用吗?为了澄清这一点,我希望test在应用程序启动时注销到控制台,但事实并非如此。

应用程序.js

const { app } = require('electron');
const Menubar = require('menubar');

const menubar = Menubar.menubar({
  index: `file://${__dirname}/index.html`,
  preloadWindow: true,
  icon: './assets/img/icon.png',
});

try {
  require('electron-reloader')(module)
} catch (_) { }

app.on('ready', () => {
  menubar.window.webContents.send('test');
});

渲染器.js

const { ipcRenderer } = require('electron');

ipcRenderer.on('test', () => {
  console.log('test');
});

索引.html

<html>
<head>
  <title>Test</title>
  <script>
    require('./renderer')
  </script>
</head>
<body>
</body>
</html>

标签: javascriptelectron

解决方案


这可能是假阴性。

我希望在应用程序启动时将测试注销到控制台,但事实并非如此。

调用的输出位置console.log取决于进行这些调用的位置:

  • 从主线程:查看启动应用程序的终端。

  • 从渲染器线程:查看 Chrome DevTools 控制台。

因此,请确保您在正确的位置寻找预期的输出。

如果这不起作用,那么这里有一个关于如何在主进程和渲染器进程之间设置 IPC 通信的小演示。

main.js

你会注意到我确实设置了它们nodeIntegrationcontextIsolation默认值。这样做是为了清楚表明您不需要降低应用程序的安全栏以允许主进程和渲染器进程之间的消息。

这里发生了什么?

主进程等待渲染器完成加载,然后发送其“ping”消息。IPC 通信将由预加载脚本处理。

记下这个console.log电话,看看它在下面的截屏视频中出现的位置。

const {app, BrowserWindow} = require('electron'); // <-- v15
const path = require('path');

app.whenReady().then(() => {
  const win = new BrowserWindow({
    webPreferences: {
      devTools: true,
      preload: path.resolve(__dirname, 'preload.js'),
      nodeIntegration: false, // <-- This is the default value
      contextIsolation: true  // <-- This is the default value
    }
  });
  win.loadFile('index.html');
  win.webContents.openDevTools();
  win.webContents.on('did-finish-load', () => {
    win.webContents.send('ping', '');
  });
  // This will not show up in the Chrome DevTools Console
  // This will show up in the terminal that launched the app
  console.log('this is from the main thread');
});

preload.js

我们正在使用contextBridgeAPI。这允许在不启用nodeIntegration或破坏上下文隔离的情况下向渲染器进程公开特权 API。

该 API 将在一个非常愚蠢的命名空间 (BURRITO) 下可用,以表明您可以更改它。

const { contextBridge, ipcRenderer } = require('electron');

contextBridge.exposeInMainWorld('BURRITO', {
  whenPing: () => new Promise((res) => {
    ipcRenderer.on('ping', (ev, data) => {
      res(data);
    });
  })
});

渲染器.js

使用预加载脚本提供的 API,我们开始监听 ping 消息。当我们得到它时,我们将主进程通信的数据放在渲染器页面中。我们还记录了一条消息,您可以在下面的截屏视频中看到该消息。

BURRITO.whenPing().then(data => {
  document.querySelector('div').textContent = data;
  // This will show up in the Chrome DevTools Console
  console.log(`this is the renderer thread, received ${data} from main thread`);
});

索引.html

<!DOCTYPE html>
<html>
  <head>
    <meta charset="UTF-8">
    <title>IPC Demo</title>
  </head>
  <body>
    <div></div>
    <script src="./renderer.js"></script>
  </body>
</html>

运行应用程序:

npx electron main.js

您可以看到这两个console.log调用在两个不同的地方产生了输出。

在此处输入图像描述


推荐阅读