我正在尝试找到一个正则表达式,它将给我以下验证:
字符串应包含至少 1 个数字和至少 1 个特殊字符。允许字母数字。
我尝试了以下方法,但失败了:
@"^[a-zA-Z0-9@#$%&*+\-_(),+':;?.,!\[\]\s\\/]+$]"
我尝试了“password1$”但失败了我也尝试了“Password1!” 但这也失败了。
想法?
更新 需要使用 C# 的解决方案 - 目前截至 2013 年 10 月 22 日发布的建议似乎不起作用。
尝试这个:
Regex rxPassword = new Regex( @"
^ # start-of-line, followed by
[a-zA-Z0-9!@#]+ # a sequence of one or more characters drawn from the set consisting of ASCII letters, digits or the punctuation characters ! @ and #
(<=[0-9]) # at least one of which is a decimal digit
(<=[!@#]) # at least one of which is one of the special characters
(<=[a-zA-Z]) # at least one of which is an upper- or lower-case letter
$ # followed by end-of-line
" , RegexOptions.IgnorePatternWhitespace ) ;
该构造(<=regular-expression)
是一个零宽度的正向后视断言。
有时一步一步地做事情要简单得多。静态构造函数从允许的特殊字符的简单列表构建转义字符类字符。内置Regex.Escape
方法在这里不起作用。
public static class PasswordValidator {
private const string ALLOWED_SPECIAL_CHARS = @"@#$%&*+_()':;?.,![]\-";
private static string ESCAPED_SPECIAL_CHARS;
static PasswordValidator() {
var escapedChars = new List<char>();
foreach (char c in ALLOWED_SPECIAL_CHARS) {
if (c == '[' || c == ']' || c == '\\' || c == '-')
escapedChars.AddRange(new[] { '\\', c });
else
escapedChars.Add(c);
}
ESCAPED_SPECIAL_CHARS = new string(escapedChars.ToArray());
}
public static bool IsValidPassword(string input) {
// Length requirement?
if (input.Length < 8) return false;
// First just check for a digit
if (!Regex.IsMatch(input, @"\d")) return false;
// Then check for special character
if (!Regex.IsMatch(input, "[" + ESCAPED_SPECIAL_CHARS + "]")) return false;
// Require a letter?
if (!Regex.IsMatch(input, "[a-zA-Z]")) return false;
// DON'T allow anything else:
if (Regex.IsMatch(input, @"[^a-zA-Z\d" + ESCAPED_SPECIAL_CHARS + "]")) return false;
return true;
}
}
这对我有用:
@"(?=^[!@#$%\^&*()_-+=[{]};:<>|./?a-zA-Z\d]{8,}$)(? =([!@#$%\^&*()_-+=[{]};:<>|./?a-zA-Z\d] \W+){1,})(?=[ ^0-9] [0-9])[!@#$%\^&*()_-+=[{]};:<>|./?a-zA-Z\d]*$"
字母数字、至少 1 个数字和最小长度为 8 的特殊字符
这可能有效,有两种可能,特殊字符之前的数字或特殊字符之后的数字。您应该使用 DOTALL(点点全部为字符)
^((.*?[0-9].*?[@#$%&*+\-_(),+':;?.,!\[\]\s\\/].*)|(.*?[@#$%&*+\-_(),+':;?.,!\[\]\s\\/].*?[0-9].*))$
这应该做的工作
(?:(?=.*[0-9]+)(?=.*[a-zA-Z]+)(?=.*[@#$%&*+\-_(),+':;?.,!\[\]\s\\/]+))+
用javascript测试,不确定c#,可能需要一些小调整。
它所做的是使用预期的正向前瞻来查找密码的所需元素。
编辑
正则表达式旨在测试是否存在匹配项。由于所有模式都是先行模式,因此不会捕获真正的字符并且匹配项为空,但如果表达式“匹配”,则密码有效。
但是,由于问题是 C#(对不起,我不懂 C#,只是即兴创作和改编样本)
string input = "password1!";
string pattern = @"^(?:(?=.*[0-9]+)(?=.*[a-zA-Z]+)(?=.*[@#$%&*+\-_(),+':;?.,!\[\]\s\\/]+))+.*$";
Regex rgx = new Regex(pattern, RegexOptions.None);
MatchCollection matches = rgx.Matches(input);
if (matches.Count > 0) {
Console.WriteLine("{0} ({1} matches):", input, matches.Count);
foreach (Match match in matches)
Console.WriteLine(" " + match.Value);
}
如果密码有效,则将行首和 a 添加.*$
到行尾,表达式将匹配。匹配值将是密码。(我猜)