Answers:
尽管尚不为人所知,str.endswith也接受一个元组。您不需要循环。
>>> 'test.mp3'.endswith(('.mp3', '.avi'))
True
import string; str.endswith(tuple(string.ascii_lowercase))
endswith
仅接受python 2.5及更高版本的元组
从文件中获取扩展名,然后查看它是否在扩展名集中:
>>> import os
>>> extensions = set(['.mp3','.avi'])
>>> file_name = 'test.mp3'
>>> extension = os.path.splitext(file_name)[1]
>>> extension in extensions
True
使用集合是因为集合中查找的时间复杂度为O(1)(docs)。
.endswith()
使用内部元组将比设置查找要快
{'.mp3','.avi'}
,它避免了额外的类型转换,并且根据您的背景可能更具可读性(“尽管它可能导致与字典混淆,并且不能用于创建空白集)。
有两种方法:正则表达式和字符串(str)方法。
字符串方法通常更快(〜2x)。
import re, timeit
p = re.compile('.*(.mp3|.avi)$', re.IGNORECASE)
file_name = 'test.mp3'
print(bool(t.match(file_name))
%timeit bool(t.match(file_name)
每个循环792 ns±1.83 ns(平均±标准偏差,共7次运行,每个循环1000000次)
file_name = 'test.mp3'
extensions = ('.mp3','.avi')
print(file_name.lower().endswith(extensions))
%timeit file_name.lower().endswith(extensions)
每个循环274 ns±4.22 ns(平均±标准偏差,共7次运行,每个循环1000000次)
我有这个:
def has_extension(filename, extension):
ext = "." + extension
if filename.endswith(ext):
return True
else:
return False
return filename.endswith(ext)
?:P
另一种可能是利用IN语句:
extensions = ['.mp3','.avi']
file_name = 'test.mp3'
if "." in file_name and file_name[file_name.rindex("."):] in extensions:
print(True)
index
应该是rindex
这种情况。
可以返回匹配字符串列表的另一种方法是
sample = "alexis has the control"
matched_strings = filter(sample.endswith, ["trol", "ol", "troll"])
print matched_strings
['trol', 'ol']
if any((file_name.endswith(ext) for ext in extensions))
。