dyl*_*zed 56 javascript node.js
我有一个名为的独立节点脚本compile.js
.它位于一个小型Express应用程序的主文件夹中.
有时我会从命令行运行compile.js
脚本.在其他情况下,我希望它由Express应用程序执行.
两个脚本都从中加载配置数据package.json
.Compile.js
目前不导出任何方法.
加载此文件并执行它的最佳方法是什么?我已经看过了eval()
,vm.RunInNewContext
和require
,但不知道什么是正确的做法.
谢谢你的帮助!!
小智 48
您可以使用子进程来运行脚本,并侦听退出和错误事件,以了解进程何时完成或错误输出(在某些情况下可能导致退出事件未触发).此方法的优点是可以使用任何异步脚本,甚至是那些未明确设计为作为子进程运行的脚本,例如您要调用的第三方脚本.例:
var childProcess = require('child_process');
function runScript(scriptPath, callback) {
// keep track of whether callback has been invoked to prevent multiple invocations
var invoked = false;
var process = childProcess.fork(scriptPath);
// listen for errors as they may prevent the exit event from firing
process.on('error', function (err) {
if (invoked) return;
invoked = true;
callback(err);
});
// execute the callback once the process has finished running
process.on('exit', function (code) {
if (invoked) return;
invoked = true;
var err = code === 0 ? null : new Error('exit code ' + code);
callback(err);
});
}
// Now we can run a script and invoke a callback when complete, e.g.
runScript('./some-script.js', function (err) {
if (err) throw err;
console.log('finished running some-script.js');
});
Run Code Online (Sandbox Code Playgroud)
请注意,如果在可能存在安全问题的环境中运行第三方脚本,则最好在沙盒vm上下文中运行该脚本.
Dil*_*age 18
将此行放在 Node 应用程序的任何位置。
require('child_process').fork('some_code.js'); //change the path depending on where the file is.
Run Code Online (Sandbox Code Playgroud)
在 some_code.js 文件中
console.log('calling form parent process');
Run Code Online (Sandbox Code Playgroud)
分叉子进程可能很有用,请参阅http://nodejs.org/api/child_process.html
从链接中的示例:
var cp = require('child_process');
var n = cp.fork(__dirname + '/sub.js');
n.on('message', function(m) {
console.log('PARENT got message:', m);
});
n.send({ hello: 'world' });
Run Code Online (Sandbox Code Playgroud)
现在,子进程会像...一样来自示例:
process.on('message', function(m) {
console.log('CHILD got message:', m);
});
process.send({ foo: 'bar' });
Run Code Online (Sandbox Code Playgroud)
但是为了做简单的任务,我认为创建一个扩展 events.EventEmitter 类的模块会做... http://nodejs.org/api/events.html