本节由千锋web前端培训机构讲师给大家分享Electron使用指南之Main Process API,Electron API (Electron API 有三种) Main Process (主进进程) Renderer Process(渲染进程) Share Modules(共享模块)

App

事件

ready:

当 Electron 完成初始化时被触发。

两种使用方法

app.on(‘ready’, createWindow)

app.on(‘ready’, () => {

console.log(‘App is ready!’)

createWindow()

})

检查应用是否登录:app.isReady()

如果应用没有Ready,app.isReady()的值为 false

console.log(‘应用是否登录:’ + app.isReady())

此时应用应该已经Ready

setTimeout(() => {

console.log(‘应用是否登录:’ + app.isReady())

}, 2000)

before-quit

在应用程序开始关闭窗口之前触发。

app.on(‘before-quit’, (e) => {

console.log(‘App is quiting’)

e.preventDefault()

})

browser-window-blur

在 browserWindow 失去焦点时发出

app.on(‘browser-window-blur’, (e) => {

console.log(‘App unfocused’)

})

browser-window-focus

在 browserWindow 获得焦点时发出

app.on(‘browser-window-focus’, (e) => {

console.log(‘App focused’)

})

方法

app.quit()

app.on(‘browser-window-blur’, (e) => {

setTimeout(() => {

app.quit()

}, 3000)

})

app.on(‘browser-window-blur’, (e) => {

setTimeout(app.quit, 3000)

})

app.getPath(name)

app.on(‘ready’, () => {

console.log(app.getPath(‘desktop’))

console.log(app.getPath(‘music’))

console.log(app.getPath(‘temp’))

console.log(app.getPath(‘userData’))

createWindow()

})

BrowserWindow

electron.BrowserWindow: 创建和控制浏览器窗口

实例方法

win.loadURL(url[, options]): 和 loadFile 互斥

mainWindow.loadURL(‘https://www.baidu.com’)

优雅的显示窗口

使用ready-to-show事件

let mainWindow = new BrowserWindow({ show: false })

mainWindow.once(‘ready-to-show’, () => {

mainWindow.show()

})

设置 backgroundColor

let win = new BrowserWindow({ backgroundColor: ‘#2e2c29’ })

父子窗口

窗口定义

secondaryWindow = new BrowserWindow({

width: 600,

height: 600,

webPreferences: { nodeIntegration: true }

})

secondaryWindow.loadFile(‘index.html’)

secondaryWindow.on(‘closed’, () => {

mainWindow = null

})

窗口关系

secondaryWindow = new BrowserWindow({

parent: mainWindon, // 定义父窗口

modal: true // 锁定在主窗口

})

子窗口显示和隐藏

secondaryWindow = new BrowserWindow({

show: false

})

setTimeout(() => {

secondaryWindow.show()

setTimeout(() => {

secondaryWindow.hide()

}, 3000)

}, 2000)

无边框窗口

Frameless Window

mainWindow = new BrowserWindow({

frame: false

})

让页面可拖拽

< body style=“user-select: none; -webkit-app-region:drag;”>

no-drag 修复下面控件的bug

< input style="-webkit-app-region: no-drag;" type=“range” name=“range” min=“0” max=“10”>

显示红绿灯

mainWindow = new BrowserWindow({

titleBarStyle: ‘hidden’ // or hiddenInset 距离红绿灯更近

})

属性与方法

minWidth && minHeight

mainWindow = new BrowserWindow({

minWidth: 300,

minHeight: 300

})

窗口焦点事件

secWindow = new BrowserWindow({

width: 400, height: 300,

webPreferences: { nodeIntegration: true },

})

mainWindow.on(‘focus’, () => {

console.log(‘mainWindow focused’)

})

secWindow.on(‘focus’, () => {

console.log(‘secWindow focused’)

})

app.on(‘browser-window-focus’, () => {

console.log(‘App focused’)

})

静态方法

getAllWindows()

let allWindows = BrowserWindow.getAllWindows()

console.log(allWindows)

实例属性

id

console.log(secWindow.id)

实例方法

maximize()secWindow.on(‘closed’, () => { mainWindow.maximize() })

state

electron-window-state 保存窗口的状态 npm install electron-window-state

webContents

webContents 是 EventEmitter 的实例, 负责渲染和控制网页, 是 BrowserWindow 对象的一个属性。 let wc = mainWindow.webContents console.log(wc)

方法 getAllWebContents()

返回 WebContents[] - 所有 WebContents 实例的数组。 包含所有Windows,webviews,opened devtools 和 devtools 扩展背景页的 web 内容const {app, BrowserWindow, webContents} = require(‘electron’) console.log(webContents.getAllWebContents())

实例事件

did-finish-loaddom-ready<div><img src="https://placekitten.com/500/500" alt=""></div><script>let wc = mainWindow.webContentswc.on('did-finish-load', () => {console.log('Conent fully loaded')})wc.on('dom-ready', () => {console.log('DOM Ready')})</script>new-window<div><a target="_blank" href="https://placekitten.com/500/500"><h3>Kitten</h3></a></div><script>wc.on('new-window', (e, url) => {e.preventDefault()console.log('DOM Ready')})</script>before-input-eventwc.on('before-input-event', (e, input) => {console.log(`${input.key} : ${input.type}`)})logindid-navigatemainWindow.loadURL('https://httpbin.org/basic-auth/user/passwd')wc.on('login', (e, request, authInfo, callback) => {console.log('Logging in:')callback('user', 'passwd')})wc.on('did-navigate', (e, url, statusCode, message) => {console.log(`Navigated to: ${url}, with response code: ${statusCode}`)console.log(message)})media-started-playingmedia-paused<div><video src="./mgm.mp4" controls width="400"></video></div><script>wc.on('media-started-playing', () => {console.log('Video Started')})wc.on('media-paused', () => {console.log('Video Paused')})</script>context-menu : 右键上下文信息wc.on('context-menu', (e, params) => {console.log(`Context menu opened on: ${params.mediaType} at x:${params.x}, y:${params.y}`)})wc.on('context-menu', (e, params) => {console.log(`User seleted text: ${params.selectionText}`)console.log(`Selection can be copied: ${params.editFlags.canCopy}`)})

实例方法

executeJavaScript()

wc.on(‘context-menu’, (e, params) => {

wc.executeJavaScript(alert('${params.selectionText}'))

})

Session

管理浏览器会话、cookie、缓存、代理设置等。

起步

创建session对象

let session = mainWindow.webContents.session

console.log(session) // {}

在chromium 创建localStorage,然后创建两个窗口,两个session共享

mainWindow = new BrowserWindow({

width: 1000, height: 800,

webPreferences: { nodeIntegration: true }

})

secWindow = new BrowserWindow({

width: 500, height: 400,

webPreferences: { nodeIntegration: true }

})

let session = mainWindow.webContents.session

let session2 = mainWindow.webContents.session

console.log(Object.is(session, session2)) // true

// Load index.html into the new BrowserWindow

mainWindow.loadFile(‘index.html’)

secWindow.loadFile(‘index.html’)

// Open DevTools - Remove for PRODUCTION!

mainWindow.webContents.openDevTools();

secWindow.webContents.openDevTools();

// Listen for window being closed

mainWindow.on(‘closed’, () => {

mainWindow = null

})

secWindow.on(‘closed’, () => {

secWindow = null

})

defaultSession

const {app, BrowserWindow, session} = require(‘electron’)

let ses = mainWindow.webContents.session

console.log(Object.is(session.defaultSession, ses)) // true

自定义session

let customSes = session.fromPartition(‘part1’)

console.log(Object.is(customSes, ses)) //false, 此时customSes 还是共享session

secWindow = new BrowserWindow({

width: 500, height: 400,

webPreferences: {

nodeIntegration: true,

session: customSes // 定义session, 此时子窗口有自己的session

}

})

// 在子窗口里创建localstorge: winName/secWindow

// 关闭所有窗口,发现创建的localstorage又消失了,因为此时的session存储在内存里,重新启动应用又消失了。可以加前缀persist,使其变为永久存储:

let customSes = session.fromPartition('persist:part1')// 或者:secWindow = new BrowserWindow({width: 500, height: 400,webPreferences: {nodeIntegration: true,- session: customSes+ partition: 'persist:part1'}})

实例方法

ses.clearStorageData() // 删除主窗口的的storage

cookie

查询和修改一个会话的cookies

// 查询所有 cookiessession.defaultSession.cookies.get({}).then((cookies) => {console.log(cookies)}).catch((error) => {console.log(error)})// 查询所有与设置的 URL 相关的所有 cookiessession.defaultSession.cookies.get({ url: 'http://www.github.com' }).then((cookies) => {console.log(cookies)}).catch((error) => {console.log(error)})// 设置一个 cookie,使用设置的名称;// 如果存在,则会覆盖原先 cookie.const cookie = { url: 'http://www.github.com', name: 'dummy_name', value: 'dummy' }session.defaultSession.cookies.set(cookie).then(() => {// success}, (error) => {console.error(error)})

downloadItem

控制来自于远程资源的文件下载。

<h2><a href="https://picsum.photos/5000/5000/" download>Download Image</a></h2><progress value="0" max="100" id="progress"></progress><script>window.progress = document.getElementById('progress')</script>// main.jslet ses = session.defaultSessionses.on('will-download', (e, downloadItem, webContents) => {let fileName = downloadItem.getFilename()let fileSize = downloadItem.getTotalBytes()// Save to desktopdownloadItem.setSavePath(app.getPath('desktop') + `/${fileName}`)downloadItem.on('updated', (e, state) => {let received = downloadItem.getReceivedBytes()if (state === 'progressing' && received) {let progress = Math.round((received/fileSize)*100)webContents.executeJavaScript(`window.progress.value = ${progress}`)}})})

dialog - 对话框

显示用于打开和保存文件、警报等的本机系统对话框

const {app, BrowserWindow, dialog} = require('electron')mainWindow.webContents.on('did-finish-load', () => {dialog.showOpenDialog({buttonLabel: '选择',defaultPath: app.getPath('desktop'),properties: ['multiSelections', 'createDirectory', 'openFile', 'openDirectory']}, filepaths => {console.log(filepaths)})})dialog.showSaveDialog({}, filename => {console.log(filename)})const answers = ['Yes', 'No', 'Maybe']dialog.showMessageBox({title: 'Message Box',message: 'Please select an option',detail: 'Message details.',buttons: answers}, response => {console.log(`User selected: ${answers[response]}`)})

快捷键+系统快捷键

快捷键:定义键盘快捷键。 系统快捷键:在应用程序没有键盘焦点时,监听键盘事件。

快捷键可以包含多个功能键和一个键码的字符串,由符号+结合,用来定义你应用中的键盘快捷键

示例:

CommandOrControl+A

CommandOrControl+Shift+Z

快捷方式使用 register 方法在 globalShortcut 模块中注册。

globalShortcut 模块可以在操作系统中注册/注销全局快捷键, 以便可以为操作定制各种快捷键。

注意: 快捷方式是全局的; 即使应用程序没有键盘焦点, 它也仍然在持续监听键盘事件。 在应用程序模块发出 ready 事件之前, 不应使用此模块。

const {app, BrowserWindow, globalShortcut} = require('electron')globalShortcut.register('G', () => {console.log('User pressed G')})globalShortcut.register('CommandOrControl+Y', () => {console.log('User pressed G with a combination key')globalShortcut.unregister('CommandOrControl+G')})

Menu

1、index.html

<!DOCTYPE html><html><head><meta charset="UTF-8"><meta http-equiv="Content-Security-Policy" content="script-src 'self' 'unsafe-inline'"><title>Hello World!</title></head><body><h1>Hello World!</h1><textarea name="name" rows="8" cols="80"></textarea><!-- All of the Node.js APIs are available in this renderer process. -->We are using Node.js <strong><script>document.write( process.versions.node)</script></strong>,and Electron <strong><script>document.write( process.versions.electron )</script></strong>.<script>// You can also require other files to run in this processrequire('./renderer.js')</script></body></html>

2、main.js

// Modulesconst {app, BrowserWindow, Menu, MenuItem} = require('electron')// Keep a global reference of the window object, if you don't, the window will// be closed automatically when the JavaScript object is garbage collected.let mainWindowlet mainMenu = Menu.buildFromTemplate( require('./mainMenu') )// Create a new BrowserWindow when `app` is readyfunction createWindow () {mainWindow = new BrowserWindow({width: 1000, height: 800,webPreferences: { nodeIntegration: true }})// Load index.html into the new BrowserWindowmainWindow.loadFile('index.html')// Open DevTools - Remove for PRODUCTION!mainWindow.webContents.openDevTools();Menu.setApplicationMenu(mainMenu)// Listen for window being closedmainWindow.on('closed',  () => {mainWindow = null})}// Electron `app` is readyapp.on('ready', createWindow)// Quit when all windows are closed - (Not macOS - Darwin)app.on('window-all-closed', () => {if (process.platform !== 'darwin') app.quit()})// When app icon is clicked and app is running, (macOS) recreate the BrowserWindowapp.on('activate', () => {if (mainWindow === null) createWindow()})

3、mainMenu.js

module.exports = [{label: 'Electron',submenu: [{ label: 'Item 1'},{ label: 'Item 2', submenu: [ { label: 'Sub Item 1'} ]},{ label: 'Item 3'},]},{label: 'Edit',submenu: [{ role: 'undo'},{ role: 'redo'},{ role: 'copy'},{ role: 'paste'},]},{label: 'Actions',submenu: [{label: 'DevTools',role: 'toggleDevTools'},{role: 'toggleFullScreen'},{label: 'Greet',click: () => { console.log('Hello from Main Menu') },accelerator: 'Shift+Alt+G'}]}]

Context Menus

1、index.html

<!DOCTYPE html><html><head><meta charset="UTF-8"><meta http-equiv="Content-Security-Policy" content="script-src 'self' 'unsafe-inline'"><title>Hello World!</title></head><body><h1>Hello World!</h1><textarea name="name" rows="8" cols="80"></textarea><!-- All of the Node.js APIs are available in this renderer process. -->We are using Node.js <strong><script>document.write( process.versions.node)</script></strong>,and Electron <strong><script>document.write( process.versions.electron )</script></strong>.<script>// You can also require other files to run in this processrequire('./renderer.js')</script></body></html>

2、main.js

// Modulesconst {app, BrowserWindow, Menu} = require('electron')// Keep a global reference of the window object, if you don't, the window will// be closed automatically when the JavaScript object is garbage collected.let mainWindowlet contextMenu = Menu.buildFromTemplate([{ label: 'Item 1' },{ role: 'editMenu' }])// Create a new BrowserWindow when `app` is readyfunction createWindow () {mainWindow = new BrowserWindow({width: 1000, height: 800,webPreferences: { nodeIntegration: true }})// Load index.html into the new BrowserWindowmainWindow.loadFile('index.html')// Open DevTools - Remove for PRODUCTION!mainWindow.webContents.openDevTools();mainWindow.webContents.on('context-menu', e => {contextMenu.popup()})// Listen for window being closedmainWindow.on('closed',  () => {mainWindow = null})}// Electron `app` is readyapp.on('ready', createWindow)// Quit when all windows are closed - (Not macOS - Darwin)app.on('window-all-closed', () => {if (process.platform !== 'darwin') app.quit()})// When app icon is clicked and app is running, (macOS) recreate the BrowserWindowapp.on('activate', () => {if (mainWindow === null) createWindow()})

Tray (托盘)

1、main.js

// Modulesconst {app, BrowserWindow, Tray, Menu} = require('electron')// Keep a global reference of the window object, if you don't, the window will// be closed automatically when the JavaScript object is garbage collected.let mainWindow, traylet trayMenu = Menu.buildFromTemplate([{ label: 'Item 1' },{ role: 'quit' }])function createTray() {tray = new Tray('trayTemplate@2x.png')tray.setToolTip('Tray details')tray.on('click', e => {if (e.shiftKey) {app.quit()} else {mainWindow.isVisible() ? mainWindow.hide() : mainWindow.show()}})tray.setContextMenu(trayMenu)}// Create a new BrowserWindow when `app` is readyfunction createWindow () {createTray()mainWindow = new BrowserWindow({width: 1000, height: 800,webPreferences: { nodeIntegration: true }})// Load index.html into the new BrowserWindowmainWindow.loadFile('index.html')// Open DevTools - Remove for PRODUCTION!mainWindow.webContents.openDevTools();// Listen for window being closedmainWindow.on('closed',  () => {mainWindow = null})}// Electron `app` is readyapp.on('ready', createWindow)// Quit when all windows are closed - (Not macOS - Darwin)app.on('window-all-closed', () => {if (process.platform !== 'darwin') app.quit()})// When app icon is clicked and app is running, (macOS) recreate the BrowserWindowapp.on('activate', () => {if (mainWindow === null) createWindow()})powerMonitor (电源指示器)// Modulesconst electron = require('electron')const {app, BrowserWindow} = electron// Keep a global reference of the window object, if you don't, the window will// be closed automatically when the JavaScript object is garbage collected.let mainWindow// Create a new BrowserWindow when `app` is readyfunction createWindow () {mainWindow = new BrowserWindow({width: 1000, height: 800,webPreferences: { nodeIntegration: true }})// Load index.html into the new BrowserWindowmainWindow.loadFile('index.html')// Open DevTools - Remove for PRODUCTION!mainWindow.webContents.openDevTools();// Listen for window being closedmainWindow.on('closed',  () => {mainWindow = null})electron.powerMonitor.on('resume', e => {if(!mainWindow) createWindow()})electron.powerMonitor.on('suspend', e => {console.log('Saving some data')})}// Electron `app` is readyapp.on('ready', createWindow)// Quit when all windows are closed - (Not macOS - Darwin)app.on('window-all-closed', () => {if (process.platform !== 'darwin') app.quit()})// When app icon is clicked and app is running, (macOS) recreate the BrowserWindowapp.on('activate', () => {if (mainWindow === null) createWindow()})

本文来自千锋教育,转载请注明出处。

web前端培训分享Electron之Main Process API相关推荐

  1. web前端技术分享Electron之Renderer Process API

    本文由小千给大家分享Renderer Process API,首先Renderer API 主要包括 remote.Browser window proxy.desktop Capture Rende ...

  2. web前端培训分享Electron之IPC 通信

    本文由小千给大家分享Electron之IPC 通信. 1.index.html <!DOCTYPE html><html><head><meta charse ...

  3. advanced installer更换程序id_好程序员web前端培训分享kbone高级-事件系统

    好程序员web前端培训分享kbone高级-事件系统:1.用法,对于多页面的应用,在 Web 端可以直接通过 a 标签或者 location 对象进行跳转,但是在小程序中则行不通:同时 Web 端的页面 ...

  4. web前端培训分享:面向对象中类和对象的定义是什么?

    在学习web前端技术的时候,我们接触的最多的便是面向对象这一块,其实很多编程技术都有用到这个现象,下面我们就为大家详细的介绍一下面向对象中类和对象的定义是什么? web前端培训分享:面向对象中类和对象 ...

  5. 正则至少一个数字_好程序员web前端培训分享JavaScript学习笔记之正则

    好程序员web前端培训分享JavaScript学习笔记之正则,正则表达式,又名 "规则表达式" 由我们自己来书写 "规则",专门用来检测 字符串 是否符合 &q ...

  6. react组件卸载调用的方法_好程序员web前端培训分享React学习笔记(三)

    好程序员web前端培训分享React学习笔记(三),组件的生命周期 React中组件也有生命周期,也就是说也有很多钩子函数供我们使用, 组件的生命周期,我们会分为四个阶段,初始化.运行中.销毁.错误处 ...

  7. 好程序员web前端培训分享做H5页面需要学什么

    好程序员web前端培训分享做H5页面需要学什么,很多人问过我这个问题,而问这个问题的人基本上都是刚听说过h5,处在懵懂的阶段,他们往往会被一些网上炫酷页面所吸引,开始的目的也很简单,能通过自己的努力做 ...

  8. html强制不换行 隐藏,好程序员web前端培训分享HTML元素强制不换行

    原标题:好程序员web前端培训分享HTML元素强制不换行 好程序员web前端培训分享HTML元素强制不换行,HTML 中 nowrap是用来强制不换行的 在排版中 对包裹plain text的标签使用 ...

  9. web前端技术分享Electron之IPC 通信

    本文由小千给大家分享Electron之IPC 通信. 1.index.html <!DOCTYPE html><html><head><meta charse ...

最新文章

  1. flower.php,flowerlist.php
  2. 北京国家新一代人工智能创新发展试验区正式成立
  3. MyBatis Generator 详解
  4. linux内核earlyprink,内核启动参数机制学习笔记
  5. 需要按次序点击链接的网页特效
  6. nssl1320,jzoj(初中)2108-买装备【dfs,水题】
  7. 基于SpringBoot的开源免费微信管家平台,Jeewx-Boot 1.0 版本发布
  8. 重新编译hadoop-2.7.2-src的native以支持Snappy解压压缩库
  9. 开课吧Java课堂:什么是ArrayList类
  10. logback日志框架的简单使用
  11. php 统计页面跳失率,究竟网店各页面的跳失率大小为多少才算正常水平?
  12. 邮件中html格式转换,如何在宏中将邮件格式更改为html?
  13. ghost离线备份还原系统,物理机
  14. 格雷码与二进制之间的转换
  15. seo日常工作表_SEO日常工作内容主要有哪些
  16. Win10部分引起鼠标卡顿间歇性失灵的原因
  17. Java版本JFrame,计算器和单位换算的实现
  18. 英文排版(typography)
  19. Kotlin学习(4):编码规范
  20. 国内外关于文物安全的法律法规、政策、标准等公开文件收集

热门文章

  1. retrofit content-length为0_大佬们,一波RxJava 3.0来袭,请做好准备~
  2. springboot开启redis共享session设置过期时间
  3. pagehelper 不分页几种情况的解决方法
  4. gzip+chunked页面分段输出,resin gzip trunked无效,页面数据写入自定义buffer
  5. Intellij IDEA + Maven——jar项目改成war项目相互转换
  6. PHP扩展——IIS下开启PHP扩展失败解决方案
  7. Java大数加法乘法减法、36进制加法
  8. 【项目实战】mybatis +vue.js 前后端交互批量删除
  9. 来说一说你对锁都怎么分类?
  10. centos 安装 redmine 2.6.0.stable