Python 是否有字符串“包含”子字符串的方法?
- 2024-11-20 08:44:00
- admin 原创
- 8
问题描述:
我正在寻找Python 中的string.contains
或string.indexof
方法。
我想要做的:
if not somestring.contains("blah"):
continue
解决方案 1:
使用in
运算符:
if "blah" not in somestring:
continue
注意:区分大小写。
解决方案 2:
您可以使用str.find:
s = "This be a string"
if s.find("is") == -1:
print("Not found")
else:
print("Found")
仅当您需要知道 sub 的位置时才应使用此
find()
方法。要检查 sub 是否为子字符串,请使用in
运算符。(c) Python 参考
解决方案 3:
Python 有字符串包含子字符串的方法吗?
99%的用例将使用关键字来覆盖,in
该关键字返回True
或False
:
'substring' in any_string
对于获取索引的用例,使用str.find
(失败时返回 -1,并具有可选的位置参数):
start = 0
stop = len(any_string)
any_string.find('substring', start, stop)
或str.index
(类似find
但失败时会引发 ValueError):
start = 100
end = 1000
any_string.index('substring', start, end)
解释
使用in
比较运算符,因为
该语言意图使用它,并且
其他 Python 程序员会期望你使用它。
>>> 'foo' in '**foo**'
True
原始问题所要求的反义词(补语)是not in
:
>>> 'foo' not in '**foo**' # returns False
False
从语义上讲,这与之相同not 'foo' in '**foo**'
,但可读性更强,并且在语言中明确提供了可读性的改进。
避免使用__contains__
“contains” 方法实现了 的行为in
。此示例
str.__contains__('**foo**', 'foo')
返回True
。您也可以从超字符串的实例调用此函数:
'**foo**'.__contains__('foo')
但不要。以下划线开头的方法在语义上被视为非公共方法。使用它的唯一原因是实现或扩展in
和not 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
不要使用find
andindex
来测试“包含”
不要使用以下字符串方法来测试“包含”:
>>> '**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
in
其他语言可能没有直接测试子字符串的方法,因此您必须使用这些类型的方法,但对于 Python 来说,使用比较运算符效率更高。
此外,这些并不是 的替代品in
。您可能必须处理异常或-1
情况,如果它们返回0
(因为它们在开头找到了子字符串),则布尔解释是False
而不是True
。
如果你是真心话not any_string.startswith(substring)
那就说吧。
性能比较
我们可以比较实现同一目标的各种方法。
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'))),
}
现在我们看到使用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}
怎样才能比使用in
更快?__contains__
`in`__contains__
这是一个很好的后续问题。
让我们反汇编一下我们感兴趣的方法的函数:
>>> from dis import dis
>>> dis(lambda: 'a' in 'b')
1 0 LOAD_CONST 1 ('a')
2 LOAD_CONST 2 ('b')
4 COMPARE_OP 6 (in)
6 RETURN_VALUE
>>> dis(lambda: 'b'.__contains__('a'))
1 0 LOAD_CONST 1 ('b')
2 LOAD_METHOD 0 (__contains__)
4 LOAD_CONST 2 ('a')
6 CALL_METHOD 1
8 RETURN_VALUE
所以我们看到该.__contains__
方法必须单独查找然后从 Python 虚拟机中调用——这应该充分解释差异。
解决方案 4:
if needle in haystack:
是正常用法,正如@Michael所说——它依赖于in
运算符,比方法调用更具可读性且速度更快。
如果您确实需要一种方法而不是运算符(例如,key=
对非常特殊的排序执行一些奇怪的操作……?),那么可以使用'haystack'.__contains__
。但由于您的示例是在 中使用if
,我猜您并不是真的想这么说 ;-)。直接使用特殊方法不是好的形式(也不可读,也不高效)——它们应该通过委托给它们的运算符和内置函数来使用。
解决方案 5:
in
Python 字符串和列表
以下是一些有用的例子,它们不言而喻地说明了该in
方法:
>>> "foo" in "foobar"
True
>>> "foo" in "Foobar"
False
>>> "foo" in "Foobar".lower()
True
>>> "foo".capitalize() in "Foobar"
True
>>> "foo" in ["bar", "foo", "foobar"]
True
>>> "foo" in ["fo", "o", "foobar"]
False
>>> ["foo" in a for a in ["fo", "o", "foobar"]]
[False, False, True]
警告。列表是可迭代的,并且该in
方法作用于可迭代对象,而不仅仅是字符串。
如果你想以更模糊的方式比较字符串来衡量它们的“相似度”,可以考虑使用 Levenshtein 包
以下答案说明了其工作原理。
解决方案 6:
如果你满意"blah" in somestring
但希望它是一个函数/方法调用,你可以这样做
import operator
if not operator.contains(somestring, "blah"):
continue
Python 中的所有运算符或多或少都可以在运算符模块中找到,包括in
。
解决方案 7:
因此,显然对于向量比较来说没有什么类似的东西。一个明显的 Python 方法是:
names = ['bob', 'john', 'mike']
any(st in 'bob and john' for st in names)
>> True
any(st in 'mary and jane' for st in names)
>> False
解决方案 8:
您可以使用y.count()
。
它将返回子字符串在字符串中出现的次数的整数值。
例如:
string.count("bah") # gives 0
string.count("Hello") # gives 1
解决方案 9:
以下是你的答案:
if "insert_char_or_string_here" in "insert_string_to_search_here":
#DOSTUFF
检查它是否为假:
if not "insert_char_or_string_here" in "insert_string_to_search_here":
#DOSTUFF
或者:
if "insert_char_or_string_here" not in "insert_string_to_search_here":
#DOSTUFF
解决方案 10:
您可以使用正则表达式来获取出现次数:
>>> import re
>>> print(re.findall(r'( |t)', to_search_in)) # searches for t or space
['t', ' ', 't', ' ', ' ']
- 2024年20款好用的项目管理软件推荐,项目管理提效的20个工具和技巧
- 2024年开源项目管理软件有哪些?推荐5款好用的项目管理工具
- 项目管理软件有哪些?推荐7款超好用的项目管理工具
- 项目管理软件哪个最好用?盘点推荐5款好用的项目管理工具
- 项目管理软件有哪些最好用?推荐6款好用的项目管理工具
- 项目管理软件有哪些,盘点推荐国内外超好用的7款项目管理工具
- 2024项目管理软件排行榜(10类常用的项目管理工具全推荐)
- 项目管理软件排行榜:2024年项目经理必备5款开源项目管理软件汇总
- 2024年常用的项目管理软件有哪些?推荐这10款国内外好用的项目管理工具
- 项目管理必备:盘点2024年13款好用的项目管理软件