分叉子进程并注入依赖

时间:2013-03-12 17:49:01

标签: node.js process dependency-injection parent-child spawn

我目前在一个阻塞的模块中有一个操作,所以我正在考虑将它变成一个我代替的子进程。

如果我想这样做,那么我当然需要修改我的模块的架构。该模块要求通过将模块作为函数调用来注入依赖项,并传入依赖项,如下所示:

var dependency = { name: "Bob" }
require('worker')(dependency)

然后在我的worker模块中:

module.exports = function (dependency) {
  // Outputs { name: "Bob" }
  console.log(dependency)
}

如何将此示例转换为分叉的子进程?

3 个答案:

答案 0 :(得分:22)

使用.fork()时,您正在启动一个完全独立的进程,因此您无法在父进程和子进程之间传递引用(并且仅限于在创建进程后发送消息)。

不需要消息传递的方法是在分叉进程时传递参数(在数组中)。虽然我相信你必须坚持使用简单的字符串/数字值(但看起来这对你来说可能已经足够了)。例如:

顶级:

var name = 'bob'
var args = [name];
var childProcess = require('child_process').fork(__dirname + '/worker', args);

在工人流程中:

var name = process.argv[2]; //AFIAK elements 0 and 1 are already populated with env info

<强>更新

如果您真的想要使用消息传递路径(如果您已经需要发送消息,我会毫不犹豫地建议),那么您可以区分类似这样的消息类型(可能有更优雅的方式):

顶级:

var childProcess = require('child_process').fork(__dirname + '/worker');
childProcess.send({msgtype:'dependencies', content:dependencies});

//Then to send 'normal' message:
childProcess.send({msgtype:'myothermessagetype', content:'some content'}

在工作流程中:

process.on('message', function(msg){
    if(msg.mtype == 'dependencies') {
       var dependencies = msg.content;
       //Do something with dependencies
    } else if(msg.mtype == 'myothermessagetype') {
       var normalmessage = msg.content;
       //Do something in response to normal message.
    }
});

答案 1 :(得分:1)

<强> a.js

var fork = require ("child_process").fork;
var child;
var init = false;

var m = module.exports = {};
m.init = function (o){
    if (init) return;
    init = true;
    child = fork (__dirname + "/child");
    child.send ({ init: o });
};
m.print = function (o){
    if (!init) return;
    child.send ({ msg: o });
};
m.uninit = function (){
    if (!init) return;
    child.on ("exit", function (){
        init = false;
    });
    child.kill ();
};

<强> child.js

var dependency;

var print = function (o){
    console.log (o + dependency.name);
};

process.on ("message", function (o){
    if (o.init){
        dependency = o.init;
    }else{
        print (o.msg);
    }
});

<强> b.js

var a = require ("./a");
a.init ({ name: "asd" });
a.print ("hi, ");
setTimeout (function (){
    a.uninit ();
}, 1000);

打印:嗨,asd

答案 2 :(得分:0)

在主要模块中:

var dependency = {message: 'hello there'};
var args = [JSON.stringify(dependency)];
var child = require('child_process').fork('worker', args);
child.send('sayhello');
child.send('exit');

在子进程模块(worker.js)中:

var dependency = JSON.parse(process.argv[2]);
process.on('message', function(m){
    if(m == 'sayhello') console.log(dependency.message);
    else if(m == 'exit') process.exit();
});