嗨,我正在尝试使用 shlex split 在 python 的子进程中运行此命令,但是,我没有发现任何对这种特殊情况有帮助的东西:
ifconfig | grep "inet " | grep -v 127.0.0.1 | grep -v 192.* | awk '{print $2}'
我得到一个 ifconfig 错误,因为单引号和双引号的拆分,甚至 $ 符号之前的空格都不正确。请帮忙。
嗨,我正在尝试使用 shlex split 在 python 的子进程中运行此命令,但是,我没有发现任何对这种特殊情况有帮助的东西:
ifconfig | grep "inet " | grep -v 127.0.0.1 | grep -v 192.* | awk '{print $2}'
我得到一个 ifconfig 错误,因为单引号和双引号的拆分,甚至 $ 符号之前的空格都不正确。请帮忙。
您可以使用shell=True
(shell 将解释|
) 和三引号字符串文字(否则您需要在字符串文字内转义"
)'
:
import subprocess
cmd = r"""ifconfig | grep "inet " | grep -v 127\.0\.0\.1 | grep -v 192\. | awk '{print $2}'"""
subprocess.call(cmd, shell=True)
或者你可以用更难的方式来做(从模块文档中替换 shell 管道subprocess
):
from subprocess import Popen, PIPE, call
p1 = Popen(['ifconfig'], stdout=PIPE)
p2 = Popen(['grep', 'inet '], stdin=p1.stdout, stdout=PIPE)
p3 = Popen(['grep', '-v', r'127\.0\.0\.1'], stdin=p2.stdout, stdout=PIPE)
p4 = Popen(['grep', '-v', r'192\.'], stdin=p3.stdout, stdout=PIPE)
call(['awk', '{print $2}'], stdin=p4.stdout)