列表

详情


OR141. 密码检查

描述

小明同学最近开发了一个网站,在用户注册账户的时候,需要设置账户的密码,为了加强账户的安全性,小明对密码强度有一定要求:

1. 密码只能由大写字母,小写字母,数字构成;

2. 密码不能以数字开头;

3. 密码中至少出现大写字母,小写字母和数字这三种字符类型中的两种;

4. 密码长度至少为8

现在小明受到了n个密码,他想请你写程序判断这些密码中哪些是合适的,哪些是不合法的。

输入描述

输入一个数n,接下来有n(n≤100)行,每行一个字符串,表示一个密码,输入保证字符串中只出现大写字母,小写字母和数字,字符串长度不超过100。

输出描述

输入n行,如果密码合法,输出YES,不合法输出NO

示例1

输入:

1
CdKfIfsiBgohWsydFYlMVRrGUpMALbmygeXdNpTmWkfyiZIKPtiflcgppuR

输出:

YES

原站题解

C 解法, 执行用时: 1ms, 内存消耗: 380KB, 提交时间: 2020-07-19

#include<stdio.h>
int main(void)
{
    int n,i,j,a=0,b=0,c=0;
    scanf("%d",&n);
    char arr[100];
    for(i=0;i<n;i++)
    {
        scanf("%s",&arr);
        if(strlen(arr) < 8)
        {
            printf("NO\r\n");
            continue;
        }
        if(isdigit(arr[0]) != 0)
        {
            printf("NO\r\n");
            continue;
        }
        for(j=1;j<100;j++)
        {
            if(islower(arr[j]) != 0)
            {
                a++;
            }
            if(isupper(arr[j] != 0))
            {
                b++;
            }
            if(isdigit(arr[i]) != 0)
            {
                c++;
            }
        }
        if(a == sizeof(arr) || b == sizeof(arr) || c == sizeof(arr))
        {
            printf("NO\r\n");
            continue;
        }
        printf("YES\r\n");
    }

    return 0;
}

C 解法, 执行用时: 2ms, 内存消耗: 224KB, 提交时间: 2019-01-10

#include <stdio.h>
#include <ctype.h>
#include <string.h>

int main()
{
    int n;
    char str[100];
    int a=0,b=0,c=0;
    
    scanf("%d",&n);
    for(int i=0;i<n;i++)
    {
        scanf("%s",&str);
        if(strlen(str)<8)
        {
            printf("NO\r\n");
            continue;
        }
        if(isdigit(str[0]) != 0 )
        {
            printf("NO\r\n");
            continue;
        }
        for(int j=0;j<n;j++)
        {
            if(islower(str[j]) != 0)
                a++;
            if(isupper(str[j]) != 0)
                b++;
            if(isdigit(str[j]) != 0)
                c++;
        }
        if(a == sizeof(str) || b == sizeof(str) || c == sizeof(str))
        {
            printf("NO\r\n");
            continue;
        }
        printf("YES\r\n");
    }
}

上一题