题目描述
网站注册需要有用户名和密码,编写程序以检查用户输入密码的有效性。合规的密码应满足以下要求 :。
-
只能由a∼z 之间 26 个小写字母,A∼Z 之间 26 个大写字母,0∼9 之间 10 个数字以及
!@#$
四个特殊字符构成。 -
密码最短长度 :6 个字符,密码最大长度 :12 个字符。
-
大写字母,小写字母和数字必须至少有其中两种,以及至少有四个特殊字符中的一个。
输入格式
输入一行不含空格的字符串。约定长度不超过 100。该字符串被英文逗号分隔为多段,作为多组被检测密码。
输出格式
输出若干行,每行输出一组合规的密码。输出顺序以输入先后为序,即先输入则先输出。
输入输出样例
输入 #1复制
seHJ12!@,sjdkffH$123,sdf!@&12HDHa!,123&^YUhg@!
输出 #1复制
seHJ12!@ sjdkffH$123
说明/提示
【样例 1 解释】
输入被英文逗号分为了四组被检测密码:seHJ12!@
、sjdkffH$123
、sdf!@&12HDHa!
、123&^YUhg@!
。其中 sdf!@&12HDHa!
长度超过 12 个字符,不合规;123&^YUhg@!
包含四个特殊字符之外的字符不合规。
#include <iostream>
#include <string>
#include <vector>
#include <cctype>
using namespace std;
bool isValidPassword(const string& password)
{
if (password.length() < 6 || password.length() > 12) {
return false; // 长度不在要求范围内
}
bool hasLower = false;
bool hasUpper = false;
bool hasDigit = false;
int specialCount = 0;
for (char ch : password) {
if (islower(ch)) {
hasLower = true;
} else if (isupper(ch)) {
hasUpper = true;
} else if (isdigit(ch)) {
hasDigit = true;
} else if (ch == '!' || ch == '@' || ch == '#' || ch == '$') {
specialCount++;
} else {
return false; // 包含非法字符
}
}
if (specialCount < 1 || (hasLower + hasUpper + hasDigit) < 2) {
return false; // 不满足字符种类和特殊字符个数的要求
}
return true;
}
int main() {
string input;
getline(cin, input);
// 使用逗号分割输入的字符串
vector<string> passwords;
string temp = "";
for (char ch : input) {
if (ch == ',') {
passwords.push_back(temp);
temp = "";
} else {
temp += ch;
}
}
passwords.push_back(temp); // 加入最后一个密码
// 检查密码并输出合规密码
for (const string& pw : passwords) {
if (isValidPassword(pw)) {
cout << pw << endl; // 输出合规的密码
}
}
return 0;
}