這篇文章主要介紹了淺談Node.js 子程序與應用場景,現在分享給大家,也給大家做個參考。
背景
由於ons(阿里雲RocketMQ 套件)基於C艹封裝而來,不支援單一進程內實例化多個生產者與消費者,為了解決這個問題,使用了Node.js 子進程。
在使用的過程中碰到的坑
發布:進程管理關閉主進程後,子進程變成作業系統進程(pid 為1)
#幾種解決方案
將子進程看做獨立運行的進程,記錄pid,發佈時進程管理關閉主進程同時關閉子進程
主進程監聽關閉事件,主動關閉從屬於自己的子程序
子程序種類
#spawn:執行指令
error
stdout
stderr
因為是以主程序為出發點,所以子程序的資料流與常規理解的資料流方向相反,stdin:寫入流,stdout、stderr:讀取流。
spawnspawn(command[, args][, options])
執行一條指令,透過 data 資料流傳回各種執行結果。
基礎使用
const { spawn } = require('child_process'); const child = spawn('find', [ '.', '-type', 'f' ]); child.stdout.on('data', (data) => { console.log(`child stdout:\n${data}`); }); child.stderr.on('data', (data) => { console.error(`child stderr:\n${data}`); }); child.on('exit', (code, signal) => { console.log(`child process exit with: code $[code], signal: ${signal}`); });
常用參數
{ cwd: String, env: Object, stdio: Array | String, detached: Boolean, shell: Boolean, uid: Number, gid: Number }
重點說明下 detached 屬性,detached 設定為 true 是為子進程獨立運行做準備。子程序的具體行為與作業系統相關,不同系統表現不同,Windows 系統子程序會擁有自己的控制台窗口,POSIX 系統子程序會成為新程序組與會話負責人。 這個時候子進程還沒有完全獨立,子進程的運行結果會展示在主進程設定的資料流上,並且主進程退出會影響子進程運行。當 stdio 設定為 ignore 並呼叫 child.unref(); 子程序開始真正獨立運行,主程序可獨立退出。
execexec(command[, options][, callback])
const { exec } = require('child_process'); exec('find . -type f | wc -l', (err, stdout, stderr) => { if (err) { console.error(`exec error: ${err}`); return; } console.log(`Number of files ${stdout}`); });
#由於exec 的結果是一次性返回,在返回之前是快取在記憶體中的,所以在執行的shell 指令輸出過大時,使用exec 執行指令的方式就無法依期望完成我們的工作,而這個時候可以使用spawn 取代exec 執行shell 指令。 const { spawn } = require('child_process');
const child = spawn('find . -type f | wc -l', {
stdio: 'inherit',
shell: true
});
child.stdout.on('data', (data) => {
console.log(`child stdout:\n${data}`);
});
child.stderr.on('data', (data) => {
console.error(`child stderr:\n${data}`);
});
child.on('exit', (code, signal) => {
console.log(`child process exit with: code $[code], signal: ${signal}`);
});
child_process.execFile(file[, args][, options][, callback])
執行一個文件
與exec 功能基本上相同,不同之處在於執行給定路徑的一個腳本文件,並且是直接創建一個新的進程,而不是創建一個shell 環境再去運行腳本,相對更輕量更有效率。但是在 Windows 系統中如 .cmd 、 .bat 等檔案無法直接執行,這是 execFile 就無法運作,可以使用 spawn、exec 來取代。
forkchild_process.fork(modulePath[, args][, options])
執行一個Node.js 檔案
// parent.js const { fork } = require('child_process'); const child = fork('child.js'); child.on('message', (msg) => { console.log('Message from child', msg); }); child.send({ hello: 'world' });
// child.js process.on('message', (msg) => { console.log('Message from parent:', msg); }); let counter = 0; setInterval(() => { process.send({ counter: counter++ }); }, 3000);
以上是在Node.js中子程序有哪些應用場景的詳細內容。更多資訊請關注PHP中文網其他相關文章!