管道
通过“child_process”模块fork出来的子进程都是返回一个ChildProcess对象实例,ChildProcess类比较特殊无法手动创建该对象实例,只能使用fork或者spawn,而且与process对象不同的是,ChildProcess实例的stdin为可写流,stdout和stderr为可读流。因此通过childprocess.stdin可以输入数据,通过childprocess.stdout可将子进程的数据数据输出到父进程中。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 |
具体实现 var child = require('child_process') , fs = require('fs'); var childProcess = child.exec(cmd, {env: process.env, maxBuffer: 20*1024*1024}, function(err) { }); var stdoutStream = fs.createWriteStream(escape(stdoutFilePath)); childProcess.stdout.pipe(stdoutStream, {end: false}); childProcess.stderr.pipe(stdoutStream, {end: false}); // 使用node的后压机制 childProcess.stdout.pipe(process.stdout); childProcess.stderr.pipe(process.stderr); var stdoutEnded = false, stderrEnded = false; function tryClosing(){ if(stdoutEnded && stderrEnded){ stdoutStream.end(); } } childProcess.stdout.on('end', function(){ stdoutEnded = true; tryClosing(); }); childProcess.stderr.on('end', function(){ stderrEnded = true; tryClosing(); }); |
这种方式适用于大多数场景,直接使用流特性完成子进程数据的输出。
文件检测
在某些系统的node环境下,“child_process”并未提供execSync特性,因此需要hack,这里参考shelljs的实现机制。
使用系统兼容较好的exec函数完成基本功能,在shell命令执行完毕后写入状态信息到某些临时文件,最后通过循环不断读取新写入该临时文件的数据。由于在shell命令执行过程中需要模拟同步效果,因此在循环中不仅仅获取新写入的数据,同时需要模拟I/O阻塞操作,此处shelljs的作者通过尝试所有的同步IO API,发现fs.writeFileSync操作可以较少的减轻CPU利用率,因此使用该函数阻塞I/O。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 |
具体实现 var child = require('child_process') , fs = require('fs'); var childProcess = child.exec('"+escape(cmd)+"', {env: process.env, maxBuffer: 20*1024*1024}, function(err) { fs.writeFileSync('"+escape(codeFile)+"', err ? err.code.toString() : '0'); }); var previousStdoutContent = ''; // Echoes stdout changes from running process, if not silent function updateStdout() { if (options.silent || !fs.existsSync(stdoutFile)) return; var stdoutContent = fs.readFileSync(stdoutFile, 'utf8'); // No changes since last time? if (stdoutContent.length <= previousStdoutContent.length) return; process.stdout.write(stdoutContent.substr(previousStdoutContent.length)); previousStdoutContent = stdoutContent; } |