由於最近的項目需求,須要在 Electron 客戶端啓動的時候啓動 nginx 服務,因此研究了一下怎麼在 Electron 調用 命令行。 由於 Electron 基於 Chromium 和 Node.js,能夠直接使用 Node.js 的 API 和一些包。目前研究有如下兩種方法:html
child_process 是 Node.js 的內置模塊,該模塊提供了衍生子進程的能力。node
實現代碼:nginx
const exec = require('child_process').exec
export function start () {
// 任何你指望執行的cmd命令,ls均可以
let cmdStr1 = 'your command code'
let cmdPath = './file/'
// 子進程名稱
let workerProcess
runExec(cmdStr1)
function runExec (cmdStr) {
workerProcess = exec(cmdStr, { cwd: cmdPath })
// 打印正常的後臺可執行程序輸出
workerProcess.stdout.on('data', function (data) {
console.log('stdout: ' + data)
})
// 打印錯誤的後臺可執行程序輸出
workerProcess.stderr.on('data', function (data) {
console.log('stderr: ' + data)
})
// 退出以後的輸出
workerProcess.on('close', function (code) {
console.log('out code:' + code)
})
}
}
複製代碼
node-cmd 是 一個讓 Node.js 調用命令行的包。git
首先咱們須要安裝:github
npm install node-cmd --save
npm
實現代碼:api
var cmd=require('node-cmd');
cmd.get(
'pwd',
function(err, data, stderr){
console.log('the current working dir is : ',data)
}
);
cmd.run('touch example.created.file');
cmd.get(
'ls',
function(err, data, stderr){
console.log('the current dir contains these files :\n\n',data)
}
);
cmd.get(
`
git clone https://github.com/RIAEvangelist/node-cmd.git
cd node-cmd
ls
`,
function(err, data, stderr){
if (!err) {
console.log('the node-cmd cloned dir contains these files :\n\n',data)
} else {
console.log('error', err)
}
}
);
複製代碼
以上就是兩種在 Electron 中調用命令行的方法,其實都是藉助了 Node.js的能力。bash
他們二者的區別是 child_process 能夠指定命令執行的路徑,默認項目根目錄;而 node-cmd 不能指定執行路徑,只能本身 cd 到目標路徑。ui
我是使用的 child_process,具體使用場景還須要根據本身的需求來。spa