似乎在链的第一个进程中使用shell = True会以某种方式从下游任务中删除stdout:
p1 = Popen(['echo','hello'], stdout=PIPE)
p2 = Popen('cat', stdin=p1.stdout, stdout=PIPE)
p2.communicate()
# outputs correctly ('hello\n', None)
使第一个进程使用shell = True以某种方式杀死输出......
p1 = Popen(['echo','hello'], stdout=PIPE, shell=True)
p2 = Popen('cat', stdin=p1.stdout, stdout=PIPE)
p2.communicate()
# outputs incorrectly ('\n', None)
第二个进程的shell = True似乎并不重要。这是预期的行为吗?
答案 0 :(得分:16)
当您传递shell=True
时,Popen需要一个字符串参数,而不是列表。所以当你这样做时:
p1 = Popen(['echo','hello'], stdout=PIPE, shell=True)
这是怎么回事:
execve("/bin/sh", ["/bin/sh", "-c", "echo", "hello"], ...)
也就是说,它调用sh -c "echo"
,hello
被有效忽略(从技术上讲,它成为shell的位置参数)。所以shell运行echo
,打印\n
,这就是你在输出中看到的原因。
如果您使用shell=True
,则需要执行此操作:
p1 = Popen('echo hello', stdout=PIPE, shell=True)