6.1.7 字符串的查找和替换

Java中字符串的查找使用函数indexOf(),返回源字符串中第1次出现目标子串的索引。如果需要从右往左查找可以使用函数lastIndexOf()。Python也提供了类似功能的函数,函数find()与indexOf()的作用相同,rfind()与lastIndexOf()的作用相同。find()的声明如下所示。


find(substring [, start [ ,end]])

【代码说明】

·参数substring表示待查找的子串。

·参数start表示开始搜索的索引位置。

·参数end表示结束搜索的索引位置,即在分片[start:end]中查找。

·如果找到字符串substring,则返回substring在源字符串中第1次出现的索引。否则,返回-1。

rfind()的参数与find()的参数相同,不同的是rfind()从字符串的尾部开始查找子串。下面这段代码演示了find()、rfind()的使用。


01     # 查找字符串
02     sentence = "This is a apple."
03     print (sentence.find("a"))
04     sentence = "This is a apple."
05     print (sentence.rfind("a"))

【代码说明】

·第3行代码使用函数find(),从sentence的头部开始查找字符串“a”。输出结果为“8”。

·第5行代码使用函数rfind(),从sentence的尾部开始查找字符串“a”。输出结果为“10”。

Java使用replaceFirst()、replaceAll()实现字符串的替换。replaceFirst()用于替换源字符串中第1次出现的子串,replaceAll()用于替换源字符串中所有出现的子串。这两个函数通过正则表达式来查找子串。而Python使用函数replace()实现字符串的替换,该函数可以指定替换的次数,相当于Java函数中replaceFirst()和replaceAll()的合并。但是replace()不支持正则表达式的语法。replace()的声明如下所示。


replace(old, new [, max])

【代码说明】

·参数old表示将被替换的字符串。

·参数new表示替换old的字符串。

·参数max表示使用new替换old的次数。

·函数返回一个新的字符串。如果子串old不在源字符串中,则函数返回源字符串的值。

下面这段代码演示了replace()的使用。


01     # 字符串的替换
02     sentence = "hello world, hello China"
03     print (sentence.replace("hello", "hi"))
04     print (sentence.replace("hello", "hi", 1))
05     print (sentence.replace("abc", "hi"))

【代码说明】

·第3行代码把sentence中的“hello”替换为“hi”。由于没有给出参数max的值,所以sentence中的“hello”都将被“hi”替换。输出结果:


hi world, hi China

·第4行代码,参数max的值为1,所以sentence中第1次出现的“hello”被“hi”替换,后面出现的子串“hello”保持不变。输出结果:


hi world, hello China

·第5行代码,由于sentence中没有子串“abc”,所以替换失败。replace()返回sentence的值。输出结果:


hello world, hello China

注意 replace()先创建变量sentence的拷贝,然后在拷贝中替换字符串,并不会改变变量sentence的内容。