python正则re模块
python正则re模块
搜索
-
re.match(pattern, str)
从头开始匹配,匹配不成功返回 None
-
re.search(pattern, str)
匹配搜索整个字符串,匹配不成功返回None
-
re.findall(pattern, str)
以列表的形式返回能匹配的子串
例子:
-
print(re.match('www', 'www.runoob.com')) # 在起始位置匹配
返回值: <re.Match object; span=(0, 3), match='www'>
-
print(re.match('com', 'www.runoob.com')) # 不在起始位置匹配
返回值: None
-
print(re.search('www', 'www.runoob.com')) # 在起始位置匹配
返回值: <re.Match object; span=(0, 3), match='www'>
-
print(re.search('com', 'www.runoob.com')) # 不在起始位置匹配
返回值: <re.Match object; span=(11, 14), match='com'>
-
print(re.findall(r"\d","https://docs.python.org/3/whatsnew/3.6.html"))
返回值: ['3', '3', '6']
区别
re.match只匹配字符串的开始,如果字符串开始不符合正则表达式,则匹配失败,函数返回 None;而re.search匹配整个字符串,直到找到一个匹配
替换
-
re.sub(pattern, repl, origin_str)
例子
`phone = “2004-959-559 # 这是一个国外电话号码”
num = re.sub(r’#.*$’, “”, phone)
print "电话号码是: ", num`结果: 电话号码是: 2004-959-559
re.flag
-
re.S
import re a = '''asdfsafhellopass: 234455 worldafdsf ''' b = re.findall('hello(.*?)world',a) c = re.findall('hello(.*?)world',a,re.S) print 'b is ' , b print 'c is ' , c
运行结果如下:
b is [] c is ['pass:\n\t234455\n\t']
原因
正则表达式中,“.”的作用是匹配除“\n”以外的任何字符,也就是说,它是在一行中进行匹配。这里的“行”是以“\n”进行区分的。a字符串有每行的末尾有一个“\n”,不过它不可见。
如果不使用re.S参数,则只在每一行内进行匹配,如果一行没有,就换下一行重新开始,不会跨行。
而使用re.S参数以后,正则表达式会将这个字符串作为一个整体,将“\n”当做一个普通的字符加入到这个字符串中,在整体中进行匹配。
上一篇: python爬虫re模块