正则表达式re模块
data:image/s3,"s3://crabby-images/d0c5c/d0c5c3c46aa6a6e315c119527107a04e17259db2" alt=""
导包
python
import re
s = "python java c c++ python2 python python3"
match 从头匹配
python
res = re.match("python", s)
res_2 = re.match("python2", s)
print("res:", res)
print(res.span())
print(res.group())
print("res_2:", res_2)
data:image/s3,"s3://crabby-images/67b72/67b7293a77fe94c2cf46177f002cbadf9ab34771" alt=""
search 搜索匹配
python
res_3 = re.search("python3", s)
print("res_3:", res_3)
data:image/s3,"s3://crabby-images/bac40/bac405d2096427f63c329ac0df9949dd2126e8ed" alt=""
findall 搜索全部匹配,返回列表
python
res_4 = re.findall("python", s)
print("res_4:", res_4)
data:image/s3,"s3://crabby-images/b879c/b879c9823dd6159f7772ddbfb041444d128288ff" alt=""
data:image/s3,"s3://crabby-images/fffc2/fffc2132e05cfd181f9c912178accbfa762a3f5b" alt=""
匹配数字,\前面加r表示转义字符无效
python
res_5 = re.findall(r"\d", s)
print(res_5)
data:image/s3,"s3://crabby-images/60bd0/60bd0a1c5f6a1b43d8e34639b4bdb965b848a745" alt=""
匹配非单词字符
python
res_6 = re.findall(r"\W", s)
print(res_6)
data:image/s3,"s3://crabby-images/a121c/a121c8e3887233e7038b13a5e856780e8749077e" alt=""
匹配英文字母
python
res_7 = re.findall(r"[a-zA-Z]", s)
print(res_7)
data:image/s3,"s3://crabby-images/f2ea9/f2ea97d3c3862ad20e9e17a6e7a7bd2af7201406" alt=""
案例、
匹配账号,字母数字组成,长度6-10:注意{6,9}此处无空格
python
r = r"^[a-zA-Z0-9]{6,9}$"
s = "12345Az"
print(re.findall(r, s))
data:image/s3,"s3://crabby-images/882e9/882e9c1210a1fc36f332f312e42ef448cfc93e49" alt=""
匹配qq号,纯数字,首位非0,长度6-11
python
r = r"^[1-9][0-9]{5,10}$"
r_1 = r"[1-9][0-9]{5,10}"
s = "279968894"
print(re.match(r_1, s))
print(re.findall(r, s))
data:image/s3,"s3://crabby-images/48ac4/48ac4d2dc32a9989be970c86f618e4e68d250260" alt=""
匹配邮箱,qq,163,gmail
注意此处整体需加括号,否则findall返回每个分组内容
python
# 注意此处整体需加括号,否则findall返回每个分组内容
r = r"(^[\w-]+(\.[\w-]+)*@(qq|163|gmail)(\.[\w-]+)+$)"
# s = "279968895@qq.com"
s = "a.asd.123.a_@gmail.psts.edu.cn"
print(re.findall(r, s))
print(re.match(r, s))
# 使用match取出邮箱
print(re.match(r, s).group())
data:image/s3,"s3://crabby-images/3c49c/3c49c9f827f5e1e0439fdb226b16c83e212fadd4" alt=""
小结
data:image/s3,"s3://crabby-images/0d90a/0d90a0f07e5a265cd7e3a98c49b7cc74f24de6c6" alt=""