正则表达式match和search的方法比较相似,都是在一个字符串s中寻找pat子字符串,如果能找到,就返回一个Match对象,如果找不到,就返回None。但是不同的是,mtach方法是从头开始匹配,而search方法,可以在s字符串的任一位置查找。我们可以从以下的程序中看到这两种方法的区别。
import re
s = "flourish"
pat = "our"
recom = re.compile(pat)
print(recom.match(s))
print(recom.search(s))
s = "ours"
print(recom.match(s))
print(recom.search(s))
运行结果:
None
<_sre.SRE_Match object; span=(2, 5), match='our'>
<_sre.SRE_Match object; span=(0, 3), match='our'>
<_sre.SRE_Match object; span=(0, 3), match='our'>
[Finished in 0.6s]
我们看到,用match和search方法都可以反馈ours中的our字符串,而对于flourish,只有search能返回Match对象,而因为不是在头部匹配到,所以match方法返回了None。