Skip to content

查找和替换字符串中的字符

以下字符串方法可用于在字符串中定位子字符串。

count()

count(sub[, start[, end]]) 返回子字符串 sub 在范围 [start, end] 内非重叠出现的次数。

startend 是可选参数,它们分别默认为 0len(string)

python
>>> s = "she sells sea shells"
>>> s.count("she")
2
>>> s.count("she", 5)
1
>>> s.count("she", 5, 10)
0
>>> s.count("she", 5, 17)
1

需要注意的是,该方法计算非重叠出现的次数,因此在当前子字符串匹配完成之前,它不会开始新的匹配过程。

python
>>> s = "valhala alala"
>>> s.count("al")
4
>>> s.count("ala")
2

在上面的示例中,ala 被计数两次,因为第一次出现在 valh"ala" 中,下一次出现在 "ala"la 中。虽然 ala 可以在 al"ala" 中再次找到,但它与出现 "ala"la 重叠,因此不被计数。

find()

find(sub[, start[, end]]) 返回字符串中子字符串 sub 在范围 [start, end] 内找到的最低索引。

startend 是可选参数,它们分别默认为 0len(string)

如果未找到子字符串,该方法返回 -1

python
>>> s = "she sells sea shells"
>>> s.find("she")
0
>>> s.find("she", 5)
14
>>> s.find("see")
-1
>>> s.find("she", 5, 10)
-1
>>> s.find("she", 5, 17)
14

rfind()

rfind(sub[, start[, end]]) 返回字符串中子字符串 sub 在范围 [start, end] 内找到的最高索引。

startend 是可选参数,它们分别默认为 0len(string)

如果未找到子字符串,该方法返回 -1

python
>>> s = "she sells sea shells"
>>> s.rfind("she")
14
>>> s.rfind("she", 0, 12)
0
>>> s.rfind("see")
-1
>>> s.rfind("she", 5)
14

index()

index(sub[, start[, end]]) 类似于 find(sub[, start[, end]]),但当未找到子字符串时,它会引发 ValueError 而不是返回 -1

python
>>> s = "she sells sea shells"
>>> s.index("she")
0
>>> s.index("she", 5)
14
>>> s.index("see")
Traceback (most recent call last):
  File "<stdin>", line 1,
   in <module>
ValueError: substring not found
>>> s.index("she", 5, 10)
Traceback (most recent call last):
  File "<stdin>", line 1,
   in <module>
ValueError: substring not found
>>> s.index("she", 5, 17)
14

rindex()

s.rindex(sub[, start[, end]]) 类似于 rfind(sub[, start[, end]]),但当未找到子字符串时,它会引发 ValueError 而不是返回 -1

python
>>> s = "she sells sea shells"
>>> s.rindex("she")
14
>>> s.rindex("she", 0, 12)
0
>>> s.rindex("see")
Traceback (most recent call last):
  File "<stdin>", line 1,
   in <module>
ValueError: substring not found
>>> s.rindex("she", 5)
14

replace()

replace(oldsub, newsub[, count]) 返回字符串的一个副本,其中所有出现的 oldsub 子字符串都被 newsub 替换。

count 是一个可选参数,如果提供,则仅替换字符串中的前 count 次出现。

python
>>> s = "Oh Python! Oh"
>>> s.replace("Oh", "Hi")
'Hi Python! Hi'
>>> s.replace("Oh", "Hi", 1)
'Hi Python! Oh'