import re
- 写一个正则表达式判断一个字符串是否是ip地址
规则:一个ip地址由4个数字组成,每个数字之间用.连接。每个数字的大小是0-255
255.189.10.37 正确
256.189.89.9 错误
"""
重点:用正则匹配到一个数字是0-255
0-9 \d
10-99 [1-9]\d
100-255:写不出来,需要拆分
100-199:1\d{2}
200-249:2[0-4]\d
250-255:25[0-5]
"""
# re_str = r'\d|[1-9]\d|1\d{2}|2[0-4]\d|25[0-5]' # 匹配0-255
re_str = 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])'
ip1 = '255.189.10.37'
result = re.fullmatch(re_str, ip1)
print(result)
- 计算一个字符串中所有的数字的和
例如:字符串是:‘hello90abc 78sjh12.5’ 结果是90+78+12.5 = 180.5
"""
整数:\d+
小数:\d+\.\d+
注意:|操作的短路,必须先写小数
"""
re_str = r'\d+\.\d+|\d+'
str1 = 'hello90abc 78sjh12.5'
result = re.findall(re_str, str1)
sum1 = 0
for item in result:
sum1 += float(item)
print(sum1) # 185.0
- 验证输入的内容只能是汉字
str1 = input('请输入汉字语句:')
re_str = r'[\u4E00-\u9fa5]+'
result = re.fullmatch(re_str, str1)
if result:
print('您输入的内容为汉字')
else:
print('皮!有奇怪的东西混进来了')
- 电话号码的验证
"""
13\d
15[0-3] 15[5-9]
17[6-8]
18\d
"""
re_str = r'1(3\d|5[0-35-9]|7[6-8]|8\d)\d{8}'
- 简单的身份证号的验证
"""
前6位:数字
8位:年月日
年:1910 - 2018
1910 - 1999:19[1-9]\d
2000 - 2009: 200\d
2010 - 2018: 201[0-8]
月:01 - 12
01 - 09: 0[1-9]
10 - 12: 1[0-2]
日:01 - 31
01 - 09: 0[1-9]
10 - 29: [12]\d
30 - 31: 3[01]
3位:数字
最后一位:数字或者X
"""
re_str = r'\d{6}(19[1-9]\d|200\d|201[0-8])(0[1-9]|[12]\d|3[01])(\d{3})(\d|X)'
二、不定项选择题
- 能够完全匹配字符串“(010)-62661617”和字符串“01062661617”的正则表达式包括( )
A. “(?\d{3})?-?\d{8}”
B. “[0-9()-]+”
C. “[0-9(-)]*\d*”
D.“[(]?\d*[)-]*\d*”
答案:A D B
中括号可以阻止转义(除了-)
- 能够完全匹配字符串“c:\rapidminer\lib\plugs”的正则表达式包括( )
A. “c:\rapidminer\lib\plugs”
B.“c:\\rapidminer\\lib\\plugs”
C.“(?i)C:\\RapidMiner\\Lib\\Plugs”
?i:将后面的内容的大写变成小写
D.“(?s)C:\\RapidMiner\\Lib\\Plugs”
?s:单行匹配
答案:B C
能够完全匹配字符串“back”和“back-end”的正则表达式包括( )
A. “\w{4}-\w{3}|\w{4}” match->back,back-end fullmatch-> back,back-end
B. “\w{4}|\w{4}-\w{3}” match-> back, back fullmatch-> back,back-end
C. “\S+-\S+|\S+”
D. “\w\b-\b\w|\w*”
答案:A B C D能够完全匹配字符串“go go”和“kitty kitty”,但不能完全匹配“go kitty”的正则表达式包括( )
:\1就是重复前面第一个()/组合里面的内容
:\2就是重复前面第二个()/组合里面的内容
A. “\b(\w+)\b\s+\1\b”
B. “\w{2,5}\s*\1”
C. “(\S+) \s+\1”
D. “(\S{2,5})\s{1,}\1”
答案:A D能够在字符串中匹配“aab”,而不能匹配“aaab”和“aaaab”的正则表达式包括( )
A. “a*?b”
B. “a{,2}b”
C. “aa??b”
D. “aaa??b”
答案:BD(删除) C