electron 打包把node代理服务打包进去_用 Node.js 官方镜像打包一个 express 服务
时间: 2024-06-08 13:05:14 浏览: 333
用node开发应用程序,对nodejs+express工程打包封装,通常公司产品化的软件系统,需要标识为公司的logo和版权信息
可以使用 `electron-builder` 来打包 Electron 应用,并将 Node.js 服务一起打包进去。
以下是一个使用 Node.js 官方镜像打包一个 Express 服务的示例:
1. 首先,安装 `electron-builder`:
```bash
npm install electron-builder --save-dev
```
2. 然后,在项目根目录下创建一个 `build` 目录,并在其中创建一个 `index.js` 文件,用于启动 Express 服务:
```javascript
const express = require('express')
const app = express()
app.get('/', (req, res) => {
res.send('Hello World!')
})
app.listen(3000, () => {
console.log('Example app listening on port 3000!')
})
```
3. 在项目根目录下创建一个 `package.json` 文件,用于配置打包相关信息:
```json
{
"name": "electron-express",
"version": "1.0.0",
"main": "main.js",
"scripts": {
"start": "electron .",
"build": "electron-builder"
},
"dependencies": {
"electron": "^12.0.0",
"express": "^4.17.1"
},
"devDependencies": {
"electron-builder": "^22.10.5"
},
"build": {
"appId": "com.example.electron-express",
"productName": "Electron Express",
"directories": {
"output": "dist"
},
"files": [
"build/**/*",
"package.json"
],
"extraResources": [
{
"from": "node_modules/express/**/*",
"to": "app/node_modules/express"
}
],
"mac": {
"category": "public.app-category.developer-tools",
"target": {
"target": "default",
"arch": [
"x64"
]
}
},
"win": {
"target": {
"target": "nsis",
"arch": [
"x64"
]
}
}
}
}
```
在 `package.json` 文件中,我们指定了 `express` 和 `electron-builder` 作为依赖项,并将 `build` 目录中的文件和 `package.json` 文件包含在打包文件中。我们还使用 `extraResources` 属性将 `express` 模块包含在 Electron 应用程序中。
4. 最后,在项目根目录下创建一个 `main.js` 文件,用于启动 Electron 应用程序和 Node.js 服务:
```javascript
const { app, BrowserWindow } = require('electron')
const path = require('path')
const url = require('url')
let mainWindow
function createWindow() {
mainWindow = new BrowserWindow({
width: 800,
height: 600,
webPreferences: {
nodeIntegration: true
}
})
mainWindow.loadURL('http://localhost:3000')
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()
}
})
const express = require('./build/index')
express()
```
这个文件启动 Electron 应用程序并加载 `http://localhost:3000` 这个 URL,在应用程序启动后会自动开始运行 `index.js` 文件中定义的 Express 服务。
5. 最后,在命令行中执行 `npm run build` 命令,即可将 Electron 应用程序和 Node.js 服务一起打包为可执行文件。
打包完成后,在 `dist` 目录下可以找到打包好的可执行文件。运行该文件即可启动 Electron 应用程序并访问 Express 服务。
阅读全文