天天看点

四组案例解析正则表达式 | 手把手教你入门Python之九十二

上一篇: 贪婪和⾮贪婪模式 | 手把手教你入门Python之九十一 下一篇: 网络通信概念 | 手把手教你入门Python之九十三 本文来自于千锋教育在阿里云开发者社区学习中心上线课程 《Python入门2020最新大课》 ,主讲人姜伟。

正则表达式案例练习

1、用户名匹配

用户名只能包含数字、字母和下划线

不能以数字开头

长度在6到16位范围

username = input('请输入用户名:')
# x = re.match(r'^[a-zA-Z_][a-zA-Z0-9_]{5,15}$', username)
x = re.fullmatch(r'[a-zA-Z_][a-zA-Z0-9_]{5,15}', username)
if x is None:
     print('输入的用户名不符合规范')
else:
    print(x)           

2、密码匹配

不能包含 !@%^&*字符

必须以字母开头

长度在6到12位

password = input('请输入密码:')
y = re.fullmatch(r'[a-zA-Z][^!@#$%^&*]{5,11}', password)
if y is None:
    print('密码不符合规范')
else:
    print(y)           

3、已知有文件test.txt里面的内容如下:

1000phone hello python

mobiletrain 大数据

1000phone java

mobiletrain html5

mobiletrain 云计算

查找文件中以1000phone开头的语句,并保存在列表中

z = []
try:
    with open('test.txt', 'r', encoding='utf8') as file:
        content = file.read()  # 读出所有的内容
        z = re.findall(r'1000phone.*', content)
        print(re.findall(r'^1000phone.*', content, re.M))

        # while True:
            # content = file.readline().strip('\n')
            # if not content:
            #     break
            # if re.match(r'^1000phone', content):
            #     z.append(content)
except FileNotFoundError:
    print('文件打开失败')

print(z)           

4、ipv4格式的ip地址匹配

提示:ip地址范围是 0.0.0.0 ~ 255.255.255.255

num = input('请输入一个数字:')
#    0~9      10~99            100 ~ 199  200~209 210~219 220~229 230~239 240~249  250~255
# \d:一位数   [1-9]\d:两位数   1\d{2}:1xx  2:00~255
x = re.fullmatch(r'((\d|[1-9]\d|1\d{2}|2([0-4]\d|5[0-5]))\.){3}(\d|[1-9]\d|1\d{2}|2([0-4]\d|5[0-5]))', num)
print(x)


x = re.finditer(r'-?(0|[1-9]\d*)(\.\d+)?', '-90good87ni0ce19bye')
x = re.finditer(r'-?(0|[1-9]\d*)(\.\d+)?', '-90good87ni0ce19bye')
for i in x:
    print(i.group())

# 非捕获分组
x = re.findall(r'(?:-)?\d+(?:\.\d+)?', '-90good87ni0ce19bye')
print(x)           

配套视频