這篇文章主要介紹了淺談Node.js 子進程與應用場景,內容挺不錯的,現在分享給大家,也給大家做個參考。
背景
由於ons(阿里雲RocketMQ 套件)基於C艹封裝而來,不支援單一進程內實例化多個生產者與消費者,為了解決這個問題,使用了Node.js 子程序。
在使用的過程中碰到的坑
發布:進程管理關閉主進程後,子進程變成作業系統進程(pid 為1)
#幾個解決方案
將子進程看做獨立運行的進程,記錄pid,發佈時進程管理關閉主進程同時關閉子進程
#主程序監聽關閉事件,主動關閉從屬於自己的子程序
子程序種類
子程序常用事件
子程序資料流
spawn
spawn(command[, args][, options])
基礎使用
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 }
exec
exec(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}`); });
兩全其美- spawn 取代exec
由於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}`); });
execFile
#
child_process.execFile(file[, args][, options][, callback])
fork
child_process.fork(modulePath[, args][, options])
// 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);
子程序使用場景
相關推薦:
Webpack優化設定縮小檔案搜尋範圍的介紹Node.js中Request模組處理HTTP協定請求的使用介紹#
以上是關於Node.js 子程序與應用的介紹的詳細內容。更多資訊請關注PHP中文網其他相關文章!