我正在编写一些代码,这些代码会增加文件名末尾的数字,直到它不再覆盖现有文件。我正在创建几个文件,所有文件都具有相同的基本文件名但不同的扩展名,我都不想覆盖这些文件。
朴素版:
prefix = 'hello0'
while os.path.exists(prefix + '.abc') or os.path.exists(prefix + '.def') or os.path.exists(prefix + '.ghi'):
n = int(prefix[-1])
prefix = prefix[:-1] + str(n + 1) # I know this doesn't work when n reaches two digits; my full code involves a regular expression
如果有多个扩展名,那么这种情况显然会变得非常漫长和丑陋。我将其抽象为for
循环。
我的版本:
prefix = 'hello0'
extensions = ('.abc', '.def', '.ghi') # there could be even more than this
condition = True
while condition:
condition = False
# if any of the paths still exist, set the condition back to True
for extension in extensions:
if os.path.exists(prefix + extension):
condition = True
n = int(prefix[-1])
prefix = prefix[:-1] + str(n + 1)
我仍觉得这有点笨拙:while
循环实际测试的内容并不完全清楚。是否可以动态构建布尔表达式,而不是设置布尔值?
我认为以下内容可能有用(我没有测试过,我只是在写这篇文章时才想到它!)但我不认为我应该诉诸eval
:
prefix = 'hello0'
extensions = ('.abc', '.def', '.ghi')
test = 'False'
for extension in extensions:
test += " or os.path.exists(prefix + '" + extension + "')"
while eval(test):
n = int(prefix[-1])
prefix = prefix[:-1] + str(n + 1)
答案 0 :(得分:9)
您可能希望将any()
内置与生成器一起使用:
while any(os.path.exists(prefix + extension) for extension in extensions):
# then increment prefix and try again, as in your example code
这会使用更简单的语法计算您需要的True
或False
。
一般来说,如果我曾感受到在像Python这样的动态语言中使用eval()
的诱惑,那么这意味着我需要了解一个重要的语言功能。动态语言应该使代码变得美观,而不是试图编写和维护代码的灾难 - 编写更多代码 - 所以你通过询问你的方法在这里完成了正确的事情。 / p>