4

我正在用 gulp 重写一些 bash 代码,这些代码为受 GitHub 上的ublockorigin项目启发的不同浏览器生成了几个附加组件/扩展。

对于 Firefox,有一行应该运行一个将目标目录作为参数的 python 脚本。在 gulp 中,我很难运行这个 python 脚本。

我试过gulp-run, gulp-shell, child_process,但没有一个给我正确的输出。

当我从命令行运行python ./tools/make-firefox-meta.py ../firefox_debug/时,我得到了我想要的结果并firefox_debug创建了目录。

这是我的代码gulp-run

gulp.task("python-bsff", function(){
    return run("python ./tools/make-firefox-meta.py ../firefox_debug/").exec();
});

这给了我这个而实际上没有做任何事情:

$ gulp python-bsff
[14:15:53] Using gulpfile ~\dev\gulpfile.js
[14:15:53] Starting 'python-bsff'...
[14:15:54] Finished 'python-bsff' after 629 ms
$ python ./tools/make-firefox-meta.py ../firefox_debug/

这是我的代码gulp-shell

gulp.task("python-bsff", function(){
   return shell.task(["./tools/make-firefox-meta.py ../firefox_debug/""]);
});

这给了我这个没有实际结果:

$ gulp python-bsff
[14:18:54] Using gulpfile ~\dev\gulpfile.js
[14:18:54] Starting 'python-bsff'...
[14:18:54] Finished 'python-bsff' after 168 μs

这是我的代码child_process:这是最有希望的代码,因为我在命令行上看到了 python 的一些输出。

gulp.task("python-bsff", function(){
  var spawn = process.spawn;
  console.info('Starting python');
  var PIPE = {stdio: 'inherit'};
  spawn('python', ["./tools/make-firefox-meta.py `../firefox_debug/`"], PIPE);
});

它给了我这个输出:

[14:08:59] Using gulpfile ~\dev\gulpfile.js
[14:08:59] Starting 'python-bsff'...
Starting python
[14:08:59] Finished 'python-bsff' after 172 ms
python: can't open file './tools/make-firefox-meta.py     ../firefox_debug/`': [Errno 2] No such file or directory

有人可以告诉我,我应该做些什么改变才能使它工作?

4

1 回答 1

3

最后一个使用child_process.spawn()确实是我推荐的方法,但是您将参数传递给python可执行文件的方式是错误的。

每个参数都必须作为数组的单独元素传递。你不能只传递一个字符串。spawn()会将字符串解释为单个参数,并python会查找字面上命名为./tools/make-firefox-meta.py `../firefox_debug/`. 当然,这不存在。

所以代替这个:

spawn('python', ["./tools/make-firefox-meta.py `../firefox_debug/`"], PIPE);

你需要这样做:

spawn('python', ["./tools/make-firefox-meta.py", "../firefox_debug/"], PIPE);

您还需要正确地发出异步完成信号:

gulp.task("python-bsff", function(cb) {
  var spawn = process.spawn;
  console.info('Starting python');
  var PIPE = {stdio: 'inherit'};
  spawn('python', ["./tools/make-firefox-meta.py", "../firefox_debug/"], PIPE).on('close', cb);
});
于 2016-12-21T19:34:44.427 回答