首页 文章

强密码的正则表达式

提问于
浏览
5

我需要一个正则表达式,其中包含以下五个字符类中的至少两个:

  • 小写字符

  • 大写字符

  • 数字

  • 标点符号

  • “特殊”字符(例如 @#$%^&*()_+|~-=\ {} []:“;'<> /`等)

这是我到目前为止所做的

int upperCount = 0;
int lowerCount = 0;
int digitCount = 0;
int symbolCount = 0;

for (int i = 0; i < password.Length; i++)
{
    if (Char.IsUpper(password[i]))
        upperCount++;
    else if (Char.IsLetter(password[i]))
        lowerCount++;
    else if (Char.IsDigit(password[i]))
        digitCount++;
    else if (Char.IsSymbol(password[i]))
        symbolCount++;

但Char.IsSymbol在@%和$上返回false . ?等等..

并通过正则表达式

Regex Expression = new Regex("({(?=.*[a-z])(?=.*[A-Z]).{8,}}|{(?=.*[A-Z])(?!.*\\s).{8,}})");    
bool test= Expression.IsMatch(txtBoxPass.Text);

但是我需要一个带有“OR”条件的正则表达式 .

1 回答

  • 10

    换句话说,您需要一个不仅包含一个“类”字符的密码 . 然后你可以使用

    ^(?![a-z]*$)(?![A-Z]*$)(?!\d*$)(?!\p{P}*$)(?![^a-zA-Z\d\p{P}]*$).{6,}$
    

    Explanation:

    ^           # Start of string
    (?![a-z]*$) # Assert that it doesn't just contain lowercase alphas
    (?![A-Z]*$) # Assert that it doesn't just contain uppercase alphas
    (?!\d*$)    # Assert that it doesn't just contain digits
    (?!\p{P}*$) # Assert that it doesn't just contain punctuation
    (?![^a-zA-Z\d\p{P}]*$) # or the inverse of the above
    .{6,}       # Match at least six characters
    $           # End of string
    

相关问题