99%的情况下使用关键字in即可搞定:
'substring' in any_string
Code language: JavaScript (javascript)
in
返回True或者False
如果需要获取索引,使用str.find(失败时返回 -1,并具有可选的位置参数):
start = 0
stop = len(any_string)
any_string.find('substring', start, stop)
Code language: JavaScript (javascript)
或str.index(类似find但在失败时引发 ValueError ):
start = 100
end = 1000
any_string.index('substring', start, end)
Code language: JavaScript (javascript)
解释
一般情况下使用in
其他 Python 程序员通常也这么用
>>> 'foo' in '**foo**'
True
Code language: PHP (php)
或者
>>> 'foo' not in '**foo**' # returns False
False
Code language: PHP (php)
避免使用contains
contains方法实现了in
:
str.__contains__('**foo**', 'foo')
Code language: JavaScript (javascript)
返回True。
还可以字符串的实例中调用此函数:
'**foo**'.__contains__('foo')
Code language: JavaScript (javascript)
以下划线开头的方法在语义上被认为是非公开的。使用它的唯一原因是在实现或扩展inandnot in功能时(例如,如果子类化str):
class NoisyString(str):
def __contains__(self, other):
print(f'testing if "{other}" in "{self}"')
return super(NoisyString, self).__contains__(other)
ns = NoisyString('a string with a substring inside')
现在:
>>> 'substring' in ns
testing if "substring" in "a string with a substring inside"
True
Code language: PHP (php)
不要使用findandindex来测试“包含”
不要使用以下字符串方法来测试“包含”:
>>> '**foo**'.index('foo')
2
>>> '**foo**'.find('foo')
2
>>> '**oo**'.find('foo')
-1
>>> '**oo**'.index('foo')
Traceback (most recent call last):
File "<pyshell#40>", line 1, in <module>
'**oo**'.index('foo')
ValueError: substring not found
Code language: JavaScript (javascript)
性能比较
可以比较实现同一目标的各种方法。
import timeit
def in_(s, other):
return other in s
def contains(s, other):
return s.__contains__(other)
def find(s, other):
return s.find(other) != -1
def index(s, other):
try:
s.index(other)
except ValueError:
return False
else:
return True
perf_dict = {
'in:True': min(timeit.repeat(lambda: in_('superstring', 'str'))),
'in:False': min(timeit.repeat(lambda: in_('superstring', 'not'))),
'__contains__:True': min(timeit.repeat(lambda: contains('superstring', 'str'))),
'__contains__:False': min(timeit.repeat(lambda: contains('superstring', 'not'))),
'find:True': min(timeit.repeat(lambda: find('superstring', 'str'))),
'find:False': min(timeit.repeat(lambda: find('superstring', 'not'))),
'index:True': min(timeit.repeat(lambda: index('superstring', 'str'))),
'index:False': min(timeit.repeat(lambda: index('superstring', 'not'))),
}
Code language: PHP (php)
现在我们看到使用in速度比其他方法快得多。执行等效操作的时间越短越好:
>>> perf_dict
{'in:True': 0.16450627865128808,
'in:False': 0.1609668098178645,
'__contains__:True': 0.24355481654697542,
'__contains__:False': 0.24382793854783813,
'find:True': 0.3067379407923454,
'find:False': 0.29860888058124146,
'index:True': 0.29647137792585454,
'index:False': 0.5502287584545229}
Code language: JavaScript (javascript)