正则表达式搜索以检查字符串中的多个条件

时间:2019-05-03 04:55:21

标签: python regex

我是使用regex和Python的新手,为了获得一些实践,我认为我应该编写一个程序来模拟用户名和密码的检查条件。我想要的密码要求是:

# 1. have one or more special characters
# 2. have one or more lowercase letters
# 3. have one or more uppercase letters
# 4. have one or more numbers

但是我想出的变量...

req_characters = r"([@#$%&*-_/\.!])+([a-z])+([A-Z])+([0-9])+"

和正则表达式搜索功能...

    elif not re.search(req_characters, string):
    print("Your password must contain at least one uppercase and one 
           lowercase letter, one number, and one special character.")

结果应匹配的字符串,触发该if语句。具体来说,如果我输入字符串

#This_is_stuff0123

我得到了打印语句,因此正则表达式认为未满足条件。但是,如果我输入字符串

##azAZ01

它匹配,这告诉我正则表达式只会按顺序排列这些字符类/组。我尝试使用括号将各种分组无效,然后尝试通过以下方式使用“或”,结果相同:

req_characters = r"([@#$%&*-_/\.!]|[a-z]|[A-Z]|[0-9]){6, 30}"

所以我想知道一种简单的解决方案是编辑当前的正则表达式以实现此结果。

1 个答案:

答案 0 :(得分:0)

我不确定this expression是否可以匹配您的所有输入,但是可以帮助您设计一个表达式来实现:

 ^(?=.+[@#$%&*-_\/\.!])(?=.+[a-z])(?=.+[A-Z])(?=.+[0-9])[A-Za-z0-9@#$%&*-_\/\.!]{6,30}$

enter image description here

代码:

import re

string = 'A08a^&0azA'
# string = 'A08a^&0azAadA08a^&0azAadA08a^&0azAad'
matches = re.search(r'^((?=.+[@#$%&*-_\/\.!])(?=.+[a-z])(?=.+[A-Z])(?=.+[0-9])[A-Za-z0-9@#$%&*-_\/\.!]{6,30})$', string)
if matches:
    print(matches.group(1)+ " is a match")
else: 
    print('Sorry! No matches! Something is not right! Call 911')

输出

A08a^&0azA is a match

enter image description here