从python执行bash命令 - OSError:[Errno 2]

时间:2017-02-08 20:34:22

标签: python python-2.7 subprocess

我是Python新手。当我执行以下命令以使用以下python代码获取我的x86服务器上的总CPU核心数时,我得到如下错误;

########################Code#######################
#!/usr/bin/python
import os
import re
import subprocess
os.system('clear')

#CPU core count check
flag=0
p = subprocess.Popen(['cat /proc/cpuinfo | grep -i processor | wc -l'], stdout=subprocess.PIPE)
print p.communicate(1)

##############################Output####################

Traceback (most recent call last):
  File "./chk_config.py", line 9, in <module>
    p = subprocess.Popen(['cat /proc/cpuinfo | grep -i processor | wc -l'], stdout=subprocess.PIPE)
  File "/usr/lib64/python2.7/subprocess.py", line 711, in __init__
    errread, errwrite)
  File "/usr/lib64/python2.7/subprocess.py", line 1327, in _execute_child
    raise child_exception
OSError: [Errno 2] No such file or directory

os.popen有效,但我不想使用os.popen,因为它会在我要省略的总核心数的末尾打印None /

1 个答案:

答案 0 :(得分:6)

首先,子进程不会理解命令中的|,或者通常在shell中运行命令,除非提供shell=True。相反,您的程序将尝试查找命令/usr/bin/cat\ /proc/cpuinfo\ \|\ grep\ -i\ processor\ \|\ wc\ -l,这当然会失败。

解决方案是添加shell=True以在shell中执行命令:

p = subprocess.Popen('grep -i processor /proc/cpuinfo | wc -l',
                     stdout=subprocess.PIPE, shell=True)

但是,也可以用Python构建管道:

grep = subprocess.Popen('grep -i processor /proc/cpuinfo'.split(), stdout=subprocess.PIPE)
wc = subprocess.Popen('wc -l'.split(), stdin=grep.stdout, stdout=subprocess.PIPE)
output = wc.communicate()

但话又说回来,你正在使用的方法在几个方面存在缺陷 - 你将工作委托给shell,当python做得非常好时。此外,在某些计算机上,model name字段可能包含单词processor或添加了该字段的新字段,然后您的方法将被破坏,因此我建议您编写代码改为纯python:

cpus = 0
with open('/proc/cpuinfo') as f:
    for line in f:
        if line.partition(':')[0].strip() == 'processor':
            cpus += 1

但是这一切都没用,因为Python已经知道你拥有多少CPU,并且这可以保证比你能提出的任何bash命令更便携:

>>> import multiprocessing
>>> multiprocessing.cpu_count()
4