能够完全匹配字符串"(010)-62661617"和字符串"01062661617"的正则表达式包括( ABD
)
A. r"\(?\d{3}\)?-?\d{8}"
B. r"[0-9()-]+"
C. r"[0-9(-)]*\d*"
缺少-
D.r"[(]?\d*[)-]*\d*"
能够完全匹配字符串"back"和"back-end"的正则表达式包括(ABCD
)
A. r'\w{4}-\w{3}|\w{4}'
\w包括字母、数字、下划线和中文
B. r'\w{4}|\w{4}-\w{3}'
C.r'\S+-\S+|\S+'
\S: 非空字符
D. r'\w*\b-\b\w*|\w*'
\b: 检测类符号
能够完全匹配字符串"go go"和"kitty kitty",但不能完全匹配“go kitty”的正则表达式包括(AD
)
A.r'\b(\w+)\b\s+\1\b'
B. r'\w{2,5}\s*\1'
\1重复第一个分组,没有分组
C. r'(\S+) \s+\1'
有一个空格了+出现一次及以上,总的至少两个空格
D. r'(\S{2,5})\s{1,}\1'
能够在字符串中匹配"aab
",而不能匹配"aaab
"和"aaaab
"的正则表达式包括(BC
)
A. r"a*?b"
都能匹配
B. r"a{,2}b"
C. r"aa??b"
D. r"aaa??b"
aaaab
不能
1.用户名匹配
要求: 1.用户名只能包含数字 字母 下划线
2.不能以数字开头
3.⻓度在 6 到 16 位范围内
is_username = fullmatch(r'[a-zA-Z_][\da-zA-Z_]{5,15}', 'difficul')
if is_username:
print('用户名合法!')
else:
print('用户名不合法!')
要求: 1.不能包含!@#¥%^&*这些特殊符号
2.必须以字母开头
3.⻓度在 6 到 12 位范围内
is_pw = fullmatch(r'[a-zA-Z][^!@#¥%^&*]{5,11}', 'abc1234')
if is_pw:
print('密码合法!')
else:
print('密码不合法!')
ipv4
格式的 ip
地址匹配IP
地址的范围是 0.0.0.0 - 255.255.255.255is_ip_address = fullmatch(r'((\d|[1-9]\d|1\d{2}|2[0-4]\d|25[0-5])\.){3}(\d|[1-9]\d|1\d{2}|2[0-4]\d|25[0-5])', '172.1.1.266')
if is_ip_address:
print('ip地址合法!')
else:
print('ip地址不合法!')
例如:“-3.14good87nice19bye” =====> -3.14 + 87 + 19 = 102.86
from re import findall
message = '-3.14good87nice19bye'
# 1)提取
result = findall(r'-?\d+\.?\d*', message)
print(f'{result}数值的和为:{sum([float(i) for i in result])}') # 102.86s
print(fullmatch(r'[\u4e00-\u9fa5]+', '一朵花花'))
#
# 标准
# 89,-23, +33,0 - 合法
# 00001 - 不合法
# 233.、333,,, - 不合法
# 整数:[-+]?(0|[1-9]\d*)
# 小数:[-+]?(0|[1-9]\d*)\.\d+
print(fullmatch(r'[-+]?(0|[1-9]\d*)(\.\d+)?', '12.88'))
要求:
用户名必须由字母、数字或下划线构成且长度在6~20个字符之间
QQ号是5~12的数字且首位不能为0
# 用户名
print(fullmatch(r'[a-zA-Z\d_]{6,20}', 'sd224_'))
#
# 密码
print(fullmatch(r'[1-9]\d{4,11}', '2345678'))
#
拆分长字符串:将一首诗的中的每一句话分别取出来
poem = ‘窗前明月光,疑是地上霜。举头望明月,低头思故乡。’
from re import split
poem = '窗前明月光,疑是地上霜。举头望明月,低头思故乡。'
sentence = split(r'[,。]', poem)
print(sentence) # ['窗前明月光', '疑是地上霜', '举头望明月', '低头思故乡']