私のパスワード強度基準は以下の通りです:
- 8文字の長さ
- 大文字の2文字
- 1特殊文字
(!@#$&*)
- 2桁の数字
(0-9)
- 小文字の3文字
誰かが私に正規表現を教えてくれますか?すべての条件がパスワードで満たされている必要があります。
password
でhello123
有効なパスワードです!」)。
私のパスワード強度基準は以下の通りです:
(!@#$&*)
(0-9)
誰かが私に正規表現を教えてくれますか?すべての条件がパスワードで満たされている必要があります。
password
でhello123
有効なパスワードです!」)。
回答:
これらのチェックは、肯定的な先読みアサーションを使用して実行できます。
^(?=.*[A-Z].*[A-Z])(?=.*[!@#$&*])(?=.*[0-9].*[0-9])(?=.*[a-z].*[a-z].*[a-z]).{8}$
説明:
^ Start anchor
(?=.*[A-Z].*[A-Z]) Ensure string has two uppercase letters.
(?=.*[!@#$&*]) Ensure string has one special case letter.
(?=.*[0-9].*[0-9]) Ensure string has two digits.
(?=.*[a-z].*[a-z].*[a-z]) Ensure string has three lowercase letters.
.{8} Ensure string is of length 8.
$ End anchor.
n
場合は、次のものに置き換え.{8}
てください.{n,}
上記の回答は完璧ですが、大きな正規表現ではなく、複数の小さな正規表現を使用することをお勧めします。
長い正規表現を分割すると、いくつかの利点があります。
一般に、このアプローチはコードを簡単に保守できるようにします。
そうは言っても、例としてSwiftで作成したコードの一部を共有します。
struct RegExp {
/**
Check password complexity
- parameter password: password to test
- parameter length: password min length
- parameter patternsToEscape: patterns that password must not contains
- parameter caseSensitivty: specify if password must conforms case sensitivity or not
- parameter numericDigits: specify if password must conforms contains numeric digits or not
- returns: boolean that describes if password is valid or not
*/
static func checkPasswordComplexity(password password: String, length: Int, patternsToEscape: [String], caseSensitivty: Bool, numericDigits: Bool) -> Bool {
if (password.length < length) {
return false
}
if caseSensitivty {
let hasUpperCase = RegExp.matchesForRegexInText("[A-Z]", text: password).count > 0
if !hasUpperCase {
return false
}
let hasLowerCase = RegExp.matchesForRegexInText("[a-z]", text: password).count > 0
if !hasLowerCase {
return false
}
}
if numericDigits {
let hasNumbers = RegExp.matchesForRegexInText("\\d", text: password).count > 0
if !hasNumbers {
return false
}
}
if patternsToEscape.count > 0 {
let passwordLowerCase = password.lowercaseString
for pattern in patternsToEscape {
let hasMatchesWithPattern = RegExp.matchesForRegexInText(pattern, text: passwordLowerCase).count > 0
if hasMatchesWithPattern {
return false
}
}
}
return true
}
static func matchesForRegexInText(regex: String, text: String) -> [String] {
do {
let regex = try NSRegularExpression(pattern: regex, options: [])
let nsString = text as NSString
let results = regex.matchesInString(text,
options: [], range: NSMakeRange(0, nsString.length))
return results.map { nsString.substringWithRange($0.range)}
} catch let error as NSError {
print("invalid regex: \(error.localizedDescription)")
return []
}
}
}
codaddictのソリューションはうまく機能しますが、これは少し効率的です:(Python構文)
password = re.compile(r"""(?#!py password Rev:20160831_2100)
# Validate password: 2 upper, 1 special, 2 digit, 1 lower, 8 chars.
^ # Anchor to start of string.
(?=(?:[^A-Z]*[A-Z]){2}) # At least two uppercase.
(?=[^!@#$&*]*[!@#$&*]) # At least one "special".
(?=(?:[^0-9]*[0-9]){2}) # At least two digit.
.{8,} # Password length is 8 or more.
$ # Anchor to end of string.
""", re.VERBOSE)
否定された文字クラスは、1つのステップで目的の文字まですべてを消費するため、バックトラックは不要です。(ドットスターソリューションは問題なく機能しますが、バックトラックが必要です。)もちろん、パスワードなどの短いターゲット文字列では、この効率の向上は無視できます。
(?#
)
import re
RegexLength=re.compile(r'^\S{8,}$')
RegexDigit=re.compile(r'\d')
RegexLower=re.compile(r'[a-z]')
RegexUpper=re.compile(r'[A-Z]')
def IsStrongPW(password):
if RegexLength.search(password) == None or RegexDigit.search(password) == None or RegexUpper.search(password) == None or RegexLower.search(password) == None:
return False
else:
return True
while True:
userpw=input("please input your passord to check: \n")
if userpw == "exit":
break
else:
print(IsStrongPW(userpw))
@codaddictのソリューションが機能します。
また、いくつかのルールを次のように変更することを検討する必要があります。
上記の改善により、柔軟性と可読性を高めるため、正規表現を次のように変更します。
^(?=.*[a-z]){3,}(?=.*[A-Z]){2,}(?=.*[0-9]){2,}(?=.*[!@#$%^&*()--__+.]){1,}.{8,}$
基本的な説明
(?=.*RULE){MIN_OCCURANCES,} Each rule block is shown by (){}. The rule and number of occurrences can then be easily specified and tested separately, before getting combined
詳細説明
^ start anchor
(?=.*[a-z]){3,} lowercase letters. {3,} indicates that you want 3 of this group
(?=.*[A-Z]){2,} uppercase letters. {2,} indicates that you want 2 of this group
(?=.*[0-9]){2,} numbers. {2,} indicates that you want 2 of this group
(?=.*[!@#$%^&*()--__+.]){1,} all the special characters in the [] fields. The ones used by regex are escaped by using the \ or the character itself. {1,} is redundant, but good practice, in case you change that to more than 1 in the future. Also keeps all the groups consistent
{8,} indicates that you want 8 or more
$ end anchor
そして最後に、テスト目的のために、ここに上記の正規表現を持つロブリンクがあります
PHPの場合、これは正常に機能します。
if(preg_match("/^(?=(?:[^A-Z]*[A-Z]){2})(?=(?:[^0-9]*[0-9]){2}).{8,}$/",
'CaSu4Li8')){
return true;
}else{
return fasle;
}
この場合、結果は真です
@ridgerunnerのThsk
return preg_match("/^(?=(?:[^A-Z]*[A-Z]){2})(?=(?:[^0-9]*[0-9]){2}).{8,}$/", 'CaSu4Li8')
?
別の解決策:
import re
passwordRegex = re.compile(r'''(
^(?=.*[A-Z].*[A-Z]) # at least two capital letters
(?=.*[!@#$&*]) # at least one of these special c-er
(?=.*[0-9].*[0-9]) # at least two numeric digits
(?=.*[a-z].*[a-z].*[a-z]) # at least three lower case letters
.{8,} # at least 8 total digits
$
)''', re.VERBOSE)
def userInputPasswordCheck():
print('Enter a potential password:')
while True:
m = input()
mo = passwordRegex.search(m)
if (not mo):
print('''
Your password should have at least one special charachter,
two digits, two uppercase and three lowercase charachter. Length: 8+ ch-ers.
Enter another password:''')
else:
print('Password is strong')
return
userInputPasswordCheck()
パスワードは、次の4つの複雑さのルールのうち少なくとも3つを満たす必要があります。
[少なくとも1つの大文字(AZ)、少なくとも1つの小文字(az)、少なくとも1つの数字(0-9)、少なくとも1つの特殊文字—スペースも特殊文字として扱うことを忘れないでください]
10文字以上
最大128文字
同一の文字が連続して2つ以下(例:111は不可)
'^(?!。(。)\ 1 {2})((?=。 [az])(?=。[AZ])(?=。 [0-9])|(?=。[az] )(?=。 [AZ])(?=。[^ a-zA-Z0-9])|(?=。 [AZ])(?=。[0-9])(?=。 [^ a -zA-Z0-9])|(?=。[az])(?=。 [0-9])(?=。* [^ a-zA-Z0-9])){10,127} $ '
(?!。*(。)\ 1 {2})
(?=。[az])(?=。 [AZ])(?=。* [0-9])
(?=。[az])(?=。 [AZ])(?=。* [^ a-zA-Z0-9])
(?=。[AZ])(?=。 [0-9])(?=。* [^ a-zA-Z0-9])
(?=。[az])(?=。 [0-9])(?=。* [^ a-zA-Z0-9])
。{10.127}
上記の正規表現はすべて、残念ながらうまくいきませんでした。強力なパスワードの基本ルールは
したがって、Best Regexは
^(?=.*[a-z])(?=.*[A-Z])(?=.*[0-9])(?=.*[!@#\$%\^&\*]).{8,}$
上記の正規表現の最小長は8です。これを{8、}から{ any_numberに変更できます。、}に。
ルールの変更?
最小x文字の小文字、y文字の大文字、z文字の数値、合計最小長wが必要だとします。次に、以下の正規表現を試してください
^(?=.*[a-z]{x,})(?=.*[A-Z]{y,})(?=.*[0-9]{z,})(?=.*[!@#\$%\^&\*]).{w,}$
注:正規表現でx、y、z、wを変更します
編集:正規表現の回答を更新
Edit2:追加された変更
12345678
あなたはそれがあることを確認されている強力なパスワード?投稿する前に正規表現を試してください。