Python的子POPEN:为什么“LS * .TXT”不行? [重复](Python subp

2019-07-05 07:09发布

这个问题已经在这里有一个答案:

  • Python的子通配符使用 2个回答

我一直在寻找这个问题。

就我而言,我希望做一个:

import subprocess
p = subprocess.Popen(['ls', 'folder/*.txt'], stdout=subprocess.PIPE, 
                                 stderr=subprocess.PIPE)

out, err = p.communicate()

现在,我可以检查上做的“ls文件夹/ *。TXT”工作的命令行,作为文件夹有很多.txt文件。

但是在Python(2.6),我得到:

LS:不能访问*:没有这样的文件或目录

我曾尝试这样做: r'folder/\*.txt' r"folder/\*.txt" r'folder/\\*.txt'和其他变化,但似乎Popen不喜欢的*字符都没有。

是否有任何其他方式来逃避*

Answer 1:

*.txt是由你的shell扩展到file1.txt file2.txt ...自动。 如果你引用*.txt ,这是行不通的:

[~] ls "*.py"                                                                  
ls: cannot access *.py: No such file or directory
[~] ls *.py                                                                    
file1.py  file2.py file3.py

如果你想获得匹配您的模式是,使用文件glob

>>> import glob
>>> glob.glob('/etc/r*.conf')
['/etc/request-key.conf', '/etc/resolv.conf', '/etc/rc.conf']


Answer 2:

您可以将参数传递外壳为True。 它将允许通配符。

import subprocess
p = subprocess.Popen('ls folder/*.txt',
                     shell=True,
                     stdout=subprocess.PIPE, 
                     stderr=subprocess.PIPE)
out, err = p.communicate()


文章来源: Python subprocess Popen: Why does “ls *.txt” not work? [duplicate]