当前位置:   article > 正文

使用React、Electron、Dva、Webpack、Node.js、Websocket快速构建跨平台应用

electron dva 状态model

目前Electrongithub上面的star量已经快要跟React-native一样多了

这里吐槽下,webpack感觉每周都在偷偷更新,很糟心啊,还有Angular更新到了8,Vue马上又要出正式新版本了,5G今年就要商用,华为的系统也要出来了,RN还没有更新到正式的1版本,还有号称让前端开发者失业的技术flutter也在疯狂更新,前端真的是学不完的

回到正题,不能否认,现在的大前端,真的太牛了,PC端可以跨三种平台开发,移动端可以一次编写,生成各种小程序以及React-native应用,然后跑在ios和安卓以及网页中 , 这里不得不说-------京东的Taro框架 这些人 已经把Node.jswebpack用上了天

webpack不熟悉的,看我之前的文章 ,今天不把重点放在webpack

欢迎关注我的专栏 《前端进阶》 都是百星高赞文章

先说说Electron官网介绍:

使用 JavaScript, HTML 和 CSS构建跨平台的桌面应用 ,如果你可以建一个网站,你就可以建一个桌面应用程序。 Electron 是一个使用JavaScript, HTML 和 CSS 等 Web 技术创建原生程序的框架,它负责比较难搞的部分,你只需把精力放在你的应用的核心上即可。
  • 什么意思呢?
  • Electron = Node.js + 谷歌浏览器 + 平常的JS代码生成的应用,最终打包成安装包,就是一个完整的应用
  • Electron分两个进程,主进程负责比较难搞的那部分,渲染进程(平常的JS代码)部分,负责UI界面展示
  • 两个进程之间可以通过remote模块,以及IPCRenderIPCMain之间通信,前者类似于挂载在全局的属性上进行通信(很像最早的命名空间模块化方案),后者是基于发布订阅机制,自定义事件的监听和触发实现两个进程的通信。
  • Electron相当于给React生成的单页面应用套了一层壳,如果涉及到文件操作这类的复杂功能,那么就要依靠Electron的主进程,因为主进程可以直接调用Node.jsAPI,还可以使用C++插件,这里Node.js的牛逼程度就凸显出来了,既可以写后台的CRUD,又可以做中间件,现在又可以写前端。

谈谈技术选型

  • 使用React去做底层的UI绘制,大项目首选React+TS
  • 状态管理的最佳实践肯定不是Redux,目前首选dva,或者redux-saga
  • 构建工具选择webpack,如果不会webpack真的很吃亏,会严重限制你的前端发展,所以建议好好学习Node.jswebpack
  • 选择了普通的Restful架构,而不是GraphQL,可能我对GraphQL理解不深,没有领悟到精髓
  • 在通信协议这块,选择了websoket和普通的http通信方式
  • 因为是demo,很多地方并没有细化,后期会针对electron出一个网易云音乐的开源项目,这是一定要做到的

先开始正式的环境搭建

  • config文件放置webpack配置文件
  • server文件夹放置Node.js的后端服务器代码
  • src下放置源码
  • main.jsElectron的入口文件
  • json文件是脚本入口文件,也是包管理的文件~

开发模式项目启动思路:

  • 先启动webpack将代码打包到内存中,实现热更新
  • 再启动Electron读取对应的url地址的文件内容,也实现热更新
设置webpack入口
  1. app: ['babel-polyfill', './src/index.js', './index.html'],
  2. vendor: ['react']
  3. }
  4. 复制代码
忽略Electron中的代码,不用webpack打包(因为Electron中有后台模块代码,打包就会报错)
  1. externals: [
  2. (function () {
  3. var IGNORES = [
  4. 'electron'
  5. ];
  6. return function (context, request, callback) {
  7. if (IGNORES.indexOf(request) >= 0) {
  8. return callback(null, "require('" + request + "')");
  9. }
  10. return callback();
  11. };
  12. })()
  13. ]
  14. ```
  15. #### 加入代码分割
  16. 复制代码

optimization: { runtimeChunk: true, splitChunks: { chunks: 'all' } }, ```

设置热更新等
  1. plugins: [
  2. new HtmlWebpackPlugin({
  3. template: './index.html'
  4. }),
  5. new webpack.HotModuleReplacementPlugin(),
  6. new webpack.NamedModulesPlugin(),
  7. ],
  8. mode: 'development',
  9. devServer: {
  10. contentBase: '../build',
  11. open: true,
  12. port: 5000,
  13. hot: true
  14. },
  15. ```
  16. #### 加入`babel`
  17. 复制代码

{ loader: 'babel-loader', options: { //jsx语法 presets: ["@babel/preset-react", //tree shaking 按需加载babel-polifill presets从后到前执行 ["@babel/preset-env", { "modules": false, "useBuiltIns": "false", "corejs": 2, }], ],

  1. plugins: [
  2. //支持import 懒加载 plugin从前到后
  3. "@babel/plugin-syntax-dynamic-import",
  4. //andt-mobile按需加载 trueless,如果不用less style的值可以写'css'
  5. ["import", { libraryName: "antd-mobile", style: true }],
  6. //识别class组件
  7. ["@babel/plugin-proposal-class-properties", { "loose": true }],
  8. //
  9. ],
  10. cacheDirectory: true
  11. 复制代码

}, } ```

今天只讲开发模式下的配置,因为实在太多,得分两篇文章写了~ 剩下的配置去git仓库看
看看主进程的配置文件main.js
  1. // Modules to control application life and create native browser window
  2. const { app, BrowserWindow, ipcMain, Tray, Menu } = require('electron')
  3. const path = require('path')
  4. // Keep a global reference of the window object, if you don't, the window will
  5. // be closed automatically when the JavaScript object is garbage collected.
  6. let mainWindow
  7. app.disableHardwareAcceleration()
  8. // ipcMain.on('sync-message', (event, arg) => {
  9. // console.log("sync - message")
  10. // // event.returnValue('message', 'tanjinjie hello')
  11. // })
  12. function createWindow() {
  13. // Create the browser window.
  14. tray = new Tray(path.join(__dirname, './src/assets/bg.jpg'));
  15. tray.setToolTip('wechart');
  16. tray.on('click', () => {
  17. mainWindow.isVisible() ? mainWindow.hide() : mainWindow.show()
  18. });
  19. const contextMenu = Menu.buildFromTemplate([
  20. { label: '退出', click: () => mainWindow.quit() },
  21. ]);
  22. tray.setContextMenu(contextMenu);
  23. mainWindow = new BrowserWindow({
  24. width: 805,
  25. height: 500,
  26. webPreferences: {
  27. nodeIntegration: true
  28. },
  29. // titleBarStyle: 'hidden'
  30. frame: false
  31. })
  32. //自定义放大缩小托盘功能
  33. ipcMain.on('changeWindow', (event, arg) => {
  34. if (arg === 'min') {
  35. console.log('min')
  36. mainWindow.minimize()
  37. } else if (arg === 'max') {
  38. console.log('max')
  39. if (mainWindow.isMaximized()) {
  40. mainWindow.unmaximize()
  41. } else {
  42. mainWindow.maximize()
  43. }
  44. } else if (arg === "hide") {
  45. console.log('hide')
  46. mainWindow.hide()
  47. }
  48. })
  49. // and load the index.html of the app.
  50. // mainWindow.loadFile('index.html')
  51. mainWindow.loadURL('http://localhost:5000');
  52. BrowserWindow.addDevToolsExtension(
  53. path.join(__dirname, './src/extensions/react-dev-tool'),
  54. );
  55. // Open the DevTools.
  56. // mainWindow.webContents.openDevTools()
  57. // Emitted when the window is closed.
  58. mainWindow.on('closed', function () {
  59. // Dereference the window object, usually you would store windows
  60. // in an array if your app supports multi windows, this is the time
  61. // when you should delete the corresponding element.
  62. mainWindow = null
  63. BrowserWindow.removeDevToolsExtension(
  64. path.join(__dirname, './src/extensions/react-dev-tool'),
  65. );
  66. })
  67. }
  68. // This method will be called when Electron has finished
  69. // initialization and is ready to create browser windows.
  70. // Some APIs can only be used after this event occurs.
  71. app.on('ready', createWindow)
  72. // Quit when all windows are closed.
  73. app.on('window-all-closed', function () {
  74. // On macOS it is common for applications and their menu bar
  75. // to stay active until the user quits explicitly with Cmd + Q
  76. if (process.platform !== 'darwin') app.quit()
  77. })
  78. app.on('activate', function () {
  79. // On macOS it's common to re-create a window in the app when the
  80. // dock icon is clicked and there are no other windows open.
  81. if (mainWindow === null) createWindow()
  82. })
  83. // In this file you can include the rest of your app's specific main process
  84. // code. You can also put them in separate files and require them here.
  85. 复制代码

在开发模式下启动项目:

  • 使用"dev": "webpack-dev-server --config ./config/webpack.dev.js", 将代码打包到内存中
  • 使用 "start": "electron ." 开启electron,读取对应的内存地址中的资源,实现热更新

项目起来后,在入口处index.js文件中,注入dva

  1. import React from 'react'
  2. import App from './App'
  3. import dva from 'dva'
  4. import Homes from './model/Homes'
  5. import main from './model/main'
  6. const app = dva()
  7. app.router(({ history, app: store }) => (
  8. <App
  9. history={history}
  10. getState={store._store.getState}
  11. dispatch={store._store.dispatch}
  12. />
  13. ));
  14. app.model(Homes)
  15. app.model(main)
  16. app.start('#root')
  17. 复制代码

这里不得不说redux,redux-sage,dva的区别 直接看图

首先是Redux

  • React 只负责页面渲染, 而不负责页面逻辑, 页面逻辑可以从中单独抽取出来, 变成store,状态及页面逻辑从 <App/>里面抽取出来, 成为独立的 store,
  • 页面逻辑就是 reducer,<TodoList/> 及<AddTodoBtn/>都是 Pure Component, 通过 connect 方法可以很方便地给它俩加一层 wrapper 从而建立起与 store 的联系: 可以通过 dispatchstore注入 action, 促使 store 的状态进行变化, 同时又订阅了store的状态变化, 一旦状态有变, 被 connect的组件也随之刷新,使用 dispatchstore 发送 action 的这个过程是可以被拦截的, 自然而然地就可以在这里增加各种 Middleware, 实现各种自定义功能, eg: logging这样一来, 各个部分各司其职, 耦合度更低, 复用度更高, 扩展性更好

然后是注入Redux-sage

  • 上面说了, 可以使用 Middleware 拦截 action, 这样一来异步的网络操作也就很方便了, 做成一个 Middleware 就行了, 这里使用 redux-saga 这个类库, 举个栗子:

  • 点击创建 Todo 的按钮, 发起一个 type == addTodo 的 action

  • saga 拦截这个 action, 发起 http 请求, 如果请求成功, 则继续向reducer发一个 type == addTodoSuccaction, 提示创建成功, 反之则发送type == addTodoFailaction 即可

最后是: Dva

  • 有了前面的三步铺垫,Dva 的出现也就水到渠成了, 正如Dva官网所言,Dva是基于React + Redux + Saga的最佳实践沉淀, 做了 3 件很重要的事情, 大大提升了编码体验:

  • storesaga 统一为一个model 的概念, 写在一个 js 文件里面

  • 增加了一个 Subscriptions, 用于收集其他来源的 action, eg: 键盘操作

  • model 写法很简约, 类似于DSL 或者RoR, coding 快得飞起✈️

  • 约定优于配置, 总是好的?

在入口APP组件中,注入props,实现状态树的管理

  1. import React from 'react'
  2. import { HashRouter, Route, Redirect, Switch } from 'dva/router';
  3. import Home from './pages/home'
  4. const Router = (props) => {
  5. return (
  6. <HashRouter>
  7. <Switch>
  8. <Route path="/home" component={Home}></Route>
  9. <Redirect to="/home"></Redirect>
  10. </Switch>
  11. </HashRouter>
  12. )
  13. }
  14. export default Router
  15. 复制代码

在组件中connect连接状态树即可

  1. import React from 'react'
  2. import { ipcRenderer } from 'electron'
  3. import { NavLink, Switch, Route, Redirect } from 'dva/router'
  4. import Title from '../../components/title'
  5. import Main from '../main'
  6. import Friend from '../firend'
  7. import More from '../more'
  8. import { connect } from 'dva'
  9. import './index.less'
  10. class App extends React.Component {
  11. componentDidMount() {
  12. ipcRenderer.send('message', 'hello electron')
  13. ipcRenderer.on('message', (event, arg) => {
  14. console.log(arg, new Date(Date.now()))
  15. })
  16. const ws = new WebSocket('ws://localhost:8080');
  17. ws.onopen = function () {
  18. ws.send('123')
  19. console.log('open')
  20. }
  21. ws.onmessage = function () {
  22. console.log('onmessage')
  23. }
  24. ws.onerror = function () {
  25. console.log('onerror')
  26. }
  27. ws.onclose = function () {
  28. console.log('onclose')
  29. }
  30. }
  31. componentWillUnmount() {
  32. ipcRenderer.removeAllListeners()
  33. }
  34. render() {
  35. console.log(this.props)
  36. return (
  37. <div className="wrap">
  38. <div className="nav">
  39. <NavLink to="/home/main">Home</NavLink>
  40. <NavLink to="/home/firend">Friend</NavLink>
  41. <NavLink to="/home/more">More</NavLink>
  42. </div>
  43. <div className="content">
  44. <Title></Title>
  45. <Switch>
  46. <Route path="/home/main" component={Main}></Route>
  47. <Route path="/home/firend" component={Friend}></Route>
  48. <Route path="/home/more" component={More}></Route>
  49. <Redirect to="/home/main"></Redirect>
  50. </Switch>
  51. </div>
  52. </div>
  53. )
  54. }
  55. }
  56. export default connect(
  57. ({ main }) => ({
  58. test: main.main
  59. })
  60. )(App)
  61. // ipcRenderer.sendSync('sync-message','sync-message')
  62. 复制代码

捋一捋上面的组件做了什么

  • 上来在组件挂载的生命周期函数中,启动了websocket连接,并且挂载了响应的事件监听,对主线程发送了消息,并且触发了主线程的message事件。

  • 在组件即将卸载的时候,移除了所有的跨进程通信的事件监听

  • 使用了dva进行路由跳转

  • 连接了状态树,读取了状态树main模块的main状态数据

进入上一个组件的子组件

  1. import React from 'react'
  2. import { connect } from 'dva'
  3. class App extends React.Component {
  4. handleAdd = () => {
  5. this.props.dispatch({
  6. type: 'home/add',
  7. val: 5,
  8. res: 1
  9. })
  10. }
  11. handleDel = () => {
  12. }
  13. render() {
  14. const { homes } = this.props
  15. console.log(this.props)
  16. return (
  17. <div>
  18. <button onClick={this.handleAdd}>add</button>
  19. <button onClick={this.handleDel}>{homes}</button>
  20. </div>
  21. )
  22. }
  23. }
  24. export default connect(
  25. ({ home, main }) => ({
  26. homes: home.num,
  27. mains: main.main
  28. })
  29. )(App)
  30. 复制代码

同样看看,这个组件做了什么

  • 连接状态树,读取了 home,main模块的状态数据,并且转换成了props
  • 绑定了事件,如果点击按钮,dispatch给对应的effects,更新状态树的数据,进而更新页面

最后我们看下如何通过渲染进程控制主进程的窗口显示

  1. import React from 'react'
  2. import { ipcRenderer } from 'electron'
  3. import './index.less'
  4. export default class App extends React.Component {
  5. handle = (type) => {
  6. return () => {
  7. if (type === 'min') {
  8. console.log('min')
  9. ipcRenderer.send('changeWindow', 'min')
  10. } else if (type === 'max') {
  11. console.log('max')
  12. ipcRenderer.send('changeWindow', 'max')
  13. } else {
  14. console.log('hide')
  15. ipcRenderer.send('changeWindow', 'hide')
  16. }
  17. }
  18. }
  19. render() {
  20. return (
  21. <div className="title-container">
  22. <div className="title" style={{ "WebkitAppRegion": "drag" }}>可以拖拽的区域</div>
  23. <button onClick={this.handle('min')}>最小化</button>
  24. <button onClick={this.handle('max')}>最大化</button>
  25. <button onClick={this.handle('hide')}>托盘</button>
  26. </div>
  27. )
  28. }
  29. }
  30. 复制代码
  • 通过IPCRender与主进程通信,控制窗口的显示和隐藏

我们一起去dva中管理的model看看

  • home模块
  1. export default {
  2. namespace: 'home',
  3. state: {
  4. homes: [1, 2, 3],
  5. num: 0
  6. },
  7. reducers: {
  8. adds(state, { newNum }) {
  9. return {
  10. ...state,
  11. num: newNum
  12. }
  13. }
  14. },
  15. effects: {
  16. * add({ res, val }, { put, select, call }) {
  17. const { home } = yield select()
  18. console.log(home.num)
  19. yield console.log(res, val)
  20. const newNum = home.num + 1
  21. yield put({ type: 'adds', newNum })
  22. }
  23. },
  24. }
  25. 复制代码

dva真的可以给我们省掉很多很多代码,而且更好维护,也更容易阅读

  • 它的大概流程

  • 如果不会的话建议去官网看例子,一般来说不会像RXJS学习路线那么陡峭

Node.js中代码

  1. const express = require('express')
  2. const { Server } = require("ws");
  3. const app = express()
  4. const wsServer = new Server({ port: 8080 })
  5. wsServer.on('connection', (ws) => {
  6. ws.onopen = function () {
  7. console.log('open')
  8. }
  9. ws.onmessage = function (data) {
  10. console.log(data)
  11. ws.send('234')
  12. console.log('onmessage' + data)
  13. }
  14. ws.onerror = function () {
  15. console.log('onerror')
  16. }
  17. ws.onclose = function () {
  18. console.log('onclose')
  19. }
  20. });
  21. app.listen(8000, (err) => {
  22. if (!err) { console.log('监听OK') } else {
  23. console.log('监听失败')
  24. }
  25. })
  26. 复制代码

上来先给一个websocket 8080端口监听,绑定事件,并且使用express监听原生端口8000

  • 这样好处,一个应用并不一定全部需要实时通讯,根据需求来决定什么时候进行实时通讯
  • Restful架构依然存在,Node.js作为中间件或者IO输出比较多的底层服务器进行CRUD都可以

今天先写到这里,套路都一样,基本的架子已经已经搭好,可以把代码clone下去慢慢玩,加功能。 可以的话给个star和赞,谢谢

本文git仓库源码地址,欢迎star

转载于:https://juejin.im/post/5cf3f7126fb9a07edf272dcb

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/凡人多烦事01/article/detail/429660
推荐阅读
相关标签