首页 文章

如何从渲染器进程调用Electron API方法?

提问于
浏览
1

我一直在尝试http://electron.atom.io . 我跟着http://electron.atom.io/docs/tutorial/quick-start/并且相对成功,我设法使用Bootstrap和Jquery创建"app" .

但是现在,我正在尝试使用Electron API方法,但没有成功 .

我创建了一个浏览器窗口,在该窗口中我添加了一个新的JS文件 . 在该文件中,我试图在这里调用printToPDF方法:http://electron.atom.io/docs/api/web-contents/#contentsprinttopdfoptions-callback

它只是不起作用,控制台记录以下内容:

Uncaught ReferenceError: mainWindow is not defined

代码如下:

main.js

const electron = require('electron')
const app = electron.app
const BrowserWindow = electron.BrowserWindow

let mainWindow

function createWindow () {
 mainWindow = new BrowserWindow({width: 800, height: 600})
 mainWindow.loadURL(`file://${__dirname}/index.html`)
 mainWindow.webContents.openDevTools()

 mainWindow.on('closed', function () {
  mainWindow = null
 })
}

app.on('ready', createWindow)

app.on('window-all-closed', function () {
 if (process.platform !== 'darwin') {
  app.quit()
 }
})

app.on('activate', function () {
 if (mainWindow === null) {
  createWindow()
 }
})

的index.html

<!DOCTYPE html>
<html>
<head>
 <meta charset="UTF-8">
 <title>Hello World!</title>
 <link rel="stylesheet" type="text/css" href="./css/bootstrap.min.css">
</head>
<body>
</body>

<script>window.$ = window.jQuery = require('jquery');</script>
<script type="text/javascript" src="./js/bootstrap.min.js"></script>
<script>
 require('./app.js');
</script>
</html>

app.js

$(function() {
 mainWindow.webContents.printToPDF();
});

1 回答

  • 3

    看看ipc模块,ipcMainipcRenderer . ipc模块允许您在主进程和呈现进程之间发送和接收同步和异步消息 .

    这里是ELECTRON API DEMOS应用程序的打印到PDF示例 .

    Renderer Process

    const ipc = require('electron').ipcRenderer
    
    const printPDFBtn = document.getElementById('print-pdf')
    
    printPDFBtn.addEventListener('click', function (event) {
      ipc.send('print-to-pdf')
    })
    
    ipc.on('wrote-pdf', function (event, path) {
      const message = `Wrote PDF to: ${path}`
      document.getElementById('pdf-path').innerHTML = message
    })
    

    Main Process

    const fs = require('fs')
    const os = require('os')
    const path = require('path')
    const electron = require('electron')
    const BrowserWindow = electron.BrowserWindow
    const ipc = electron.ipcMain
    const shell = electron.shell
    
    ipc.on('print-to-pdf', function (event) {
      const pdfPath = path.join(os.tmpdir(), 'print.pdf')
      const win = BrowserWindow.fromWebContents(event.sender)
      // Use default printing options
      win.webContents.printToPDF({}, function (error, data) {
        if (error) throw error
        fs.writeFile(pdfPath, data, function (error) {
          if (error) {
            throw error
          }
          shell.openExternal('file://' + pdfPath)
          event.sender.send('wrote-pdf', pdfPath)
        })
      })
    })
    

相关问题