正则表达式是一个特殊的字符序列,它能帮助你方便的检查一个字符串是否与某种模式匹配。
Python 自1.5版本起增加了re 模块,它提供 Perl 风格的正则表达式模式。
re 模块使 Python 语言拥有全部的正则表达式功能。


re.match函数
re.match 尝试从字符串的起始位置匹配一个模式,如果不是起始位置匹配成功的话,match()就返回none。
函数语法:
re.match(pattern, string, flags=0)

匹配成功re.match方法返回一个匹配的对象,否则返回None。
我们可以使用group(num) 或 groups() 匹配对象函数来获取匹配表达式。
import re
res = re.match(r'http(s)?','https://www.phper163.com/index.php')
if res:
  print('规则匹配成功',res.group(),res.groups())
  print('匹配起始位置',res.span())
else:
  print('规则匹配失败')

res2 = re.match(r'www\.(\w+?)\.(\w+)','https://www.phper163.com/index.php')
print(res2) #返回None,没有匹配成功


re.search方法
re.search 扫描整个字符串并返回第一个成功的匹配。
函数语法:
re.search(pattern, string, flags=0)

匹配成功re.search方法返回一个匹配的对象,否则返回None。
我们可以使用group(num) 或 groups() 匹配对象函数来获取匹配表达式。
import re
res = re.search(r'www\.(\w+?)\.(\w+)','https://www.phper163.com/index.php')
if res:
  print('规则匹配成功',res.group(),res.groups())
  print('匹配起始位置',res.span())
else:
  print('规则匹配失败')


re.findall方法
在字符串中找到正则表达式所匹配的所有子串,并返回一个列表,如果有多个匹配模式,则返回元组列表,如果没有找到匹配的,则返回空列表。
语法格式为:
re.findall(pattern, string, flags=0)
pattern.findall(string[, pos[, endpos]])

注意: match 和 search 是匹配一次, findall 匹配所有。

import re
res = re.findall(r'www\.(\w+?)\.(\w+)','https://www.phper163.com/index.php https://www.baidu.com/')
print(res)
#返回 [('phper163', 'com'), ('baidu', 'com')]


re.finditer方法
和 findall 类似,在字符串中找到正则表达式所匹配的所有子串,并把它们作为一个迭代器返回。
re.finditer(pattern, string, flags=0)
import re
res = re.finditer(r'www\.(\w+?)\.(\w+)','https://www.phper163.com/index.php https://www.baidu.com/')
print(res)
for i in res:
  print(i.groups(),i.group(),i.span())


re.split方法
split 方法按照能够匹配的子串将字符串分割后返回列表,它的使用形式如下:
re.split(pattern, string[, maxsplit=0, flags=0])
import re
res = re.split(r'/+','https://www.phper163.com/index.php')
print(res)
#输出 ['https:', 'www.phper163.com', 'index.php']
#ps:对于一个找不到匹配的字符串而言,split 不会对其作出分割
print(re.split(r'\d+','abc hello')) #['abc hello']


re.sub方法

re.sub用于替换字符串中的匹配项。
语法:
re.sub(pattern, repl, string, count=0, flags=0)
ps:repl 参数为 替换的字符串,也可为一个函数。
import re
res = re.sub(r'\D+',"","2023-09/06 20:51:21")
#帮所有非数字内容替换为空
#输出 20230906205121


# 将匹配的数字乘以 2
def double(matched):
    value = int(matched.group('value'))
    return str(value * 2)
 
s = 'A23G4HFD567'
print(re.sub('(?P<value>\d+)', double, s))
#输出 A46G8HFD1134


re.compile 函数
compile 函数用于编译正则表达式,生成一个正则表达式( Pattern )对象,可以供上面re里面的函数使用。
语法格式为:
re.compile(pattern[, flags])


import re
pattern = re.compile(r'([a-z]+)', re.I) # re.I 表示忽略大小写
m = pattern.findall('https://www.phper163.com/index.php')
print(m)

点赞(0) 打赏

评论列表 共有 0 条评论

暂无评论
返回
顶部