我想通过python从目录中调用脚本(它们是可执行的shell脚本)。
到目前为止很好:
for script in sorted(os.listdir(initdir), reverse=reverse):
if script.endswith('.*~') or script == 'README':
continue
if os.access(script, os.X_OK):
try:
execute = os.path.abspath(script)
sp.Popen((execute, 'stop' if reverse else 'start'),
stdin=None, stderr=sp.PIPE,
stdout=sp.stderr, shell=True).communicate()
except:
raise
现在我想要的是:假设我有一个带有启动功能的bash脚本。我打电话给
回声“某事”
现在我想在sys.stdout和退出代码上看到echo。我相信你用.communicate()来做这件事,但我的工作方式与我想象的不同。
我做错了什么?
非常感谢任何帮助
答案 0 :(得分:57)
授予http://docs.python.org/library/subprocess.html。
communic()返回一个元组(stdoutdata,stderrdata)。
子进程完成后,您可以从Popen实例获取返回代码:
Popen.returncode:子返回码,由poll()和wait()设置(间接通过communic())。
同样,你可以实现这样的目标:
sp = subprocess.Popen([executable, arg1, arg2], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
out, err = sp.communicate()
if out:
print "standard output of subprocess:"
print out
if err:
print "standard error of subprocess:"
print err
print "returncode of subprocess:"
print sp.returncode
顺便说一句,我会更改测试
if script.endswith('.*~') or script == 'README':
continue
成为积极的一个:
if not filename.endswith(".sh"):
continue
最好明确表达您想要执行的内容,而不是明确表示您不要执行的内容。
此外,您应该以更一般的方式命名变量,因此script
首先应该是filename
。由于listdir
还列出了目录,因此您可以明确检查这些目录。只要您不处理特定异常,您当前的try/except
块就不合适。您应该只连接abspath
和initdir
,而不是filename
,这是一个经常应用于os.listdir()
上下文的概念。出于安全原因,只有在您完全确定需要时才在shell=True
对象的构造函数中使用Popen
。我建议如下:
for filename in sorted(os.listdir(initdir), reverse=reverse):
if os.path.isdir(filename) or not filename.endswith(".sh"):
continue
if os.access(script, os.X_OK):
exepath = os.path.join(initdir, filename)
sp = subprocess.Popen(
(exepath, 'stop' if reverse else 'start'),
stderr=subprocess.PIPE,
stdout=subprocess.PIPE)
out, err = sp.communicate()
print out, err, sp.returncode