我试图从我的Groovy脚本执行python外部进程,但它不会产生任何输出。
因此,作为一个小小的理智测试我尝试简单地输出python版本:
def command = """ /usr/local/bin/python -V """
def proc = command.execute()
proc.waitFor()
println "This is output: " + proc?.in?.text
上面没有产生任何输出,但是,从我的命令行我可以运行/usr/local/bin/python -V
奇怪的是,如果我修改脚本以运行identify
,那么它确实会产生输出。
def command = """ /usr/local/bin/identify --version """
def proc = command.execute()
proc.waitFor()
println "This is output: " + proc?.in?.text
导致此行为的原因是什么?
答案 0 :(得分:3)
python -V
命令将版本号打印到标准错误而不是标准输出。
$ python -V
Python 2.7.8
$ python -V 2>/dev/null
$
因此,要获取输出,请将stderr(2)重定向到stdout(1):
def command = """ /usr/local/bin/python -V 2>&1 """
def proc = command.execute()
proc.waitFor()
println "This is output: " + proc?.in?.text
或者,您可以使用err
代替in
来获取标准错误输出:
def command = """ /usr/bin/python -V """
def proc = command.execute()
proc.waitFor()
println "This is output: " + proc?.err?.text