大家知道,在一个node程序中,如果当前进程想要生成一个子进程,它可以调用child_process模块的spawn方法。spawn方法签名如下:
child_process.spawn(command[, args][, options])
其中options对象的属性stdio用来控制子进程的输出。
当设置options.stdio为inherit时,子进程的输出会被重定向到当前进程的stdout对象,也就是说子进程的输出会直接显示在当前进程的控
制台中。
当设置options.stdio为pipe时,子进程的输出会被重定向到spawn方法的返回值的stdout对象。这种情况稍微复杂一点。我来举一个这种
场景的例子。假如我们想在当前进程中将node的版本号写入一个文件,可以写如下代码:
1 var fs = require(‘fs‘); 2 var path = require(‘path‘); 3 var {spawn} = require(‘child_process‘); 4 5 var child = spawn(‘node‘, [‘--version‘], { 6 stdio: ‘pipe‘ 7 }); 8 9 var filePath = path.resolve(‘node-version.txt‘); 10 var destination = fs.createWriteStream(filePath); 11 child.stdout.pipe(destination);
子进程的输出会被重定向到child.stdout, child.stdout是一个Readable stream, 所以可以用它的pipe方法将数据写入到最终的文件。