Javascript 从主节点(Node.js Cluster)访问工作环境

Javascript 从主节点(Node.js Cluster)访问工作环境,javascript,node.js,cluster-computing,env,Javascript,Node.js,Cluster Computing,Env,我通过集群模块在Node.js应用程序中分叉工作者,并将自定义ID传递给我所有工作者的环境。这对far很有效 但是,我不知道在发出“联机”或“退出”事件时如何在我的主机中访问此id 文档不是很有用。你能给我指一下正确的路吗 var cluster = require('cluster'); if (cluster.isMaster) { //MASTER function fork() { var worker_env = {worker_id:'my_custom_id'

我通过集群模块在Node.js应用程序中分叉工作者,并将自定义ID传递给我所有工作者的环境。这对far很有效

但是,我不知道在发出“联机”或“退出”事件时如何在我的主机中访问此id

文档不是很有用。你能给我指一下正确的路吗

var cluster = require('cluster'); 

if (cluster.isMaster) {
  //MASTER

  function fork() {
    var worker_env = {worker_id:'my_custom_id'};
    cluster.fork(worker_env);
  }                 

  cluster.on('online', function(worker) {
    console.log(worker.process.env.worker_id); // undefined
    //
    // How can I access my custom worker id here?
    //
  });

  cluster.on('exit', function(worker, code, signal) {
    //
    // And here...?
    //
    fork();
  });

} else {
  // WORKER

  console.log(process.env.worker_id); // my_custom_id
}

不可能,辅助进程环境不会暴露给主进程

一个是我们集群的地图(包含所需信息的对象)

类似这样的:

var cluster = require('cluster');

if (true === cluster.isMaster) {
  //CODE EXECUTED BY MASTER
  var cluster_map = {}; // Here we store the workers info in a object   
  var restart_Limit = 10; // max global worker restart (10)

  function fork_worker(myWorkerId) {
    // these makes worker_id available in the worker
    var worker = cluster.fork({
      worker_id: myWorkerId 
    });
    // max restarts limit (global)
    if (worker.id >= restart_Limit) { 
      console.log('Restart limit reached, bye!');
      process.kill();

    }
    // here we add the key "myWorkerId"  to the cluster map
    cluster_map[worker.id] = myWorkerId;

    // WORKER AUTO-KILL
    setTimeout(function() {
      console.log('stoping...' + myWorkerId);
      worker.kill();
    }, 3000);
  }

  cluster.on('online', function(worker) {
    var online_proc = cluster_map[worker.id];

    console.log('worker online: ' + online_proc + '\n Restarts: ' + worker.id);
  });

  cluster.on('exit', function(worker, code, signal) {

    var exited_proc = cluster_map[worker.id];

    // delete the process from the cluster map
    delete cluster_map[worker.id];
    console.log("worker offline: " + exited_proc);

    // WORKER AUTO-RESTART
    setTimeout(function() {
      console.log('Restarting... ' + exited_proc);
      fork_worker(exited_proc);
    }, 3000);

  });

  // start the magic ( 3 workers )
  (function() {
    fork_worker('id_1');
    fork_worker('id_2');
    fork_worker('id_3');
  })();

} else {
  //CODE EXECUTED BY EACH WORKER (process env is present here).
  console.log('hi from the worker,  process.env: ' + process.env.worker_id);
  // all the hard work for the workers here.
}

谢谢,也请举个例子。我会这样做的。