18

我正在尝试构建一个函数,该函数将从我的项目的根目录中删除所有以“prepend”开头的文件。这是我到目前为止所拥有的

def cleanup(prepend):
    prepend = str(prepend)
    PROJECT_ROOT = os.path.abspath(os.path.dirname(__file__))
    end = "%s*" % prepend
    cmd = 'rm'
    args = "%s/%s" % (PROJECT_ROOT, end)
    print "full cmd = %s %s" %(cmd, args)
    try:
        p = Popen([cmd, args],  stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True).communicate()[0]
        print "p", p
    except Exception as e:
        print str(e)

我没有任何运气 - 它似乎没有做任何事情。你有什么想法我可能做错了吗?谢谢!

4

3 回答 3

17

您是否会考虑使用os.remove()来删除文件而不是rm

import os
os.remove('Path/To/filename.ext')

更新(基本上将我的评论从下面移到我的答案中)

由于os.remove()无法自行处理通配符,因此使用glob模块来帮助将产生一个解决方案,从这个SO 答案中逐字重复:

import glob
import os
for fl in glob.glob("E:\\test\\*.txt"):
    #Do what you want with the file
    os.remove(fl)
于 2012-06-14T02:12:29.943 回答
17

问题是您将两个参数传递给subprocess.Popen:rm和一个路径,例如/home/user/t*(如果前缀是t)。Popen然后将尝试删除一个完全以这种方式命名的文件: t 后跟一个星号。

如果要Popen与通配符一起使用,则应将shell参数传递为True. 然而,在这种情况下,命令应该是一个字符串,而不是参数列表:

Popen("%s %s" % (cmd, args), shell=True, stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True)

(否则,参数列表将提供给新的 shell,而不是命令

另一种更安全、更高效的解决方案是使用glob模块

import glob
files = glob.glob(prepend+"*")
args = [cmd] + files
Popen(args,  stdin=PIPE, stdout=PIPE, stderr=PIPE)

然而,总而言之,我同意 levon 解决方案是更明智的解决方案。在这种情况下,glob答案也是:

files = glob.glob(prepend+"*")
for file in files:
    os.remove(file)
于 2012-06-14T02:23:34.370 回答
0

我会尝试这样的事情(这也适用于 Windows,但我猜这对你来说不是问题:

def cleanup(prepend):
    prepend = str(prepend)
    PROJECT_ROOT = os.path.abspath(os.path.dirname(__file__))
    for file_to_delete in [file for file in os.listdir(PROJECT_ROOT) if file.startswith(prepend)]:
        os.remove(file_to_delete)
于 2012-06-14T02:49:01.453 回答