Python正则表达式re.search和re.match的区别


Python正则表达式re.search和re.match的区别

re.match锚定在字符串的开头。这与换行符无关,因此与^在模式中使用不同。

如果字符串开头的零个或多个字符 与正则表达式模式匹配,则返回相应的MatchObject实例。None如果字符串与模式不匹配则返回; 请注意,这与零长度匹配不同。

注意: 如果要在字符串中的任何位置找到匹配项,请使用search()

re.search搜索整个字符串

扫描字符串,查找正则表达式模式生成匹配的位置,并返回相应的MatchObject实例。None如果字符串中没有位置与模式匹配则返回; 请注意,这与在字符串中的某个点找到零长度匹配不同。

所以如果你需要在字符串的开头匹配,或者匹配整个字符串使用match。它更快。否则使用search

示例代码

string_with_newlines = """something
someotherthing"""

import re

print re.match('some', string_with_newlines) # matches
print re.match('someother',
               string_with_newlines) # won't match
print re.match('^someother', string_with_newlines,
               re.MULTILINE) # also won't match
print re.search('someother',
                string_with_newlines) # finds something
print re.search('^someother', string_with_newlines,
                re.MULTILINE) # also finds something

m = re.compile('thing$', re.MULTILINE)

print m.match(string_with_newlines) # no match
print m.match(string_with_newlines, pos=4) # matches
print m.search(string_with_newlines,
               re.MULTILINE) # also matches