4

每次更改代码(例如 jshint)时,我都会使用 grunt 来完成一些任务,并且每次更改时我都想重新加载 phantomJs 进程。

我发现的第一种方法是第一次使用 grunt.util.spawn 运行 phantomJs。

//  http://gruntjs.com/api/grunt.util#grunt.util.spawn
var phantomJS_child = grunt.util.spawn({
    cmd: './phantomjs-1.9.1-linux-x86_64/bin/phantomjs',
    args: ['./phantomWorker.js']
},
function(){
    console.log('phantomjs done!'); // we never get here...
});

然后,每次 watch 重新启动时,另一个任务使用 grunt.util.spawn 杀死 phantomJs 进程,这当然非常难看。

有没有更好的方法呢?问题是 phantomJs 进程没有终止,因为我将它用作 Web 服务器来为带有 JSON 的 REST API 提供服务。

每当手表启动时,我可以有一个咕噜声回调或其他东西,以便我可以在重新运行任务以创建新任务之前关闭我以前的 phantomJs 进程吗?

我使用 grunt.event 制作了一个处理程序,但我看不到如何访问 phantomjs 进程以杀死它。

grunt.registerTask('onWatchEvent',function(){

    //  whenever watch starts, do this...
    grunt.event.on('watch',function(event, file, task){
        grunt.log.writeln('\n' + event + ' ' + file + ' | running-> ' + task); 
    });
});
4

1 回答 1

0

这个完全未经测试的代码可能是您问题的解决方案。

Node 的本机子生成函数exec会立即返回对子进程的引用,我们可以保留它以便稍后杀死它。要使用它,我们可以动态创建一个自定义的 grunt 任务,如下所示:

// THIS DOESN'T WORK. phantomjs is undefined every time the watcher re-executes the task
var exec = require('child_process').exec,
    phantomjs;

grunt.registerTask('spawn-phantomjs', function() {

    // if there's already phantomjs instance tell it to quit
    phantomjs && phantomjs.kill();

    // (re-)start phantomjs
    phantomjs = exec('./phantomjs-1.9.1-linux-x86_64/bin/phantomjs ./phantomWorker.js',
        function (err, stdout, stderr) {
            grunt.log.write(stdout);
            grunt.log.error(stderr);
            if (err !== null) {
                grunt.log.error('exec error: ' + err);
            }
    });

    // when grunt exits, make sure phantomjs quits too
    process.on('exit', function() {
        grunt.log.writeln('killing child...');
        phantomjs.kill();
    });

});
于 2013-08-24T17:17:34.660 回答