【问题标题】:Execute Shell Script from Python with multiple pipes使用多个管道从 Python 执行 Shell 脚本
【发布时间】:2013-10-11 13:03:13
【问题描述】:

我想在 python 脚本中执行以下 Shell 命令:

dom=myserver    
cat /etc/xen/$myserver.cfg | grep limited | cut -d= -f2 | tr -d \"

我有这个:

dom = myserver

limit = subprocess.call(["cat /etc/xen/%s.cfg | grep limited | cut -d= -f2", str(dom)])
subprocess.call(['/root/bin/xen-limit', str(dom), str(limit)])

它不起作用,但我不知道为什么..

更新:

c1 = ['cat /etc/xen/%s.cfg']
p1 = subprocess.Popen(c1, stdout=subprocess.PIPE)

c2 = ['grep limited']
p2 = subprocess.Popen(c2, stdin=p1.stdout, stdout=subprocess.PIPE)

c3 = ['cut -d= -f2']
p3 = subprocess.Popen(c3, stdin=p2.stdout, stdout=subprocess.PIPE)

c4 = ['tr -d \"']
p4 = subprocess.Popen(c4, stdin=p3.stdout, stdout=subprocess.PIPE)

result = p4.stdout.read()

limit = subprocess.call([result])
subprocess.call(['/root/bin/xen-limit', str(dom), str(limit)])

【问题讨论】:

  • 可以用单个命令awk -F= '/limited/ {print gsub("\"", "", $2)}' /etc/xen/$myserver.cfg 替换整个管道(应用$myserver 的必要替换)。

标签: python linux bash shell pipe


【解决方案1】:

您可以将多个子流程粘合在一起:

c1 = ['ls']
p1 = subprocess.Popen(c1, stdout=subprocess.PIPE)

c2 = ['wc']
p2 = subprocess.Popen(c2, stdin=p1.stdout,
                      stdout=subprocess.PIPE)

result = p2.stdout.read()

请注意我们如何将 p2 的标准输入设置为 p1 的标准输出。

编辑:简化示例

【讨论】:

  • 感谢您的回答!我已经编辑了我上面的帖子。类似的东西?
【解决方案2】:

成功了! :D 谢谢

dom = myserver    
c1 = ['/bin/cat', '/etc/xen/%s.cfg' % (str(dom))]
p1 = subprocess.Popen(c1, stdout=subprocess.PIPE)

c2 = ['grep', 'limited']
p2 = subprocess.Popen(c2, stdin=p1.stdout,
                  stdout=subprocess.PIPE)

c3 = ['cut', '-d=', '-f2']
p3 = subprocess.Popen(c3, stdin=p2.stdout,
                  stdout=subprocess.PIPE)

c4 = ['tr', '-d', '\"']
p4 = subprocess.Popen(c4, stdin=p3.stdout,
                  stdout=subprocess.PIPE)

result = p4.stdout.read()
subprocess.call(['/root/bin/xen-limit', str(dom), str(result)])

【讨论】:

    最近更新 更多