用C语言编写一个程序,输入一行字符串,统计其中大写字母、小写字母、数字和其它字符的个数。
时间: 2024-05-15 21:12:57 浏览: 100
C语言统计字符串中字母、数字、空格和其他字符的个数
以下是使用C语言编写的程序,可以实现输入一行字符串,统计其中大写字母、小写字母、数字和其它字符的个数:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, upper = 0, lower = 0, digit = 0, other = 0;
printf("请输入一行字符串:");
fgets(str, 100, stdin); // 从标准输入读取一行字符串
for (i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
upper++;
} else if (islower(str[i])) {
lower++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
printf("大写字母个数:%d\n", upper);
printf("小写字母个数:%d\n", lower);
printf("数字个数:%d\n", digit);
printf("其它字符个数:%d\n", other);
return 0;
}
```
程序中使用`fgets()`函数从标准输入读取一行字符串,然后遍历字符串的每个字符,使用`ctype.h`头文件中的`isupper()`、`islower()`和`isdigit()`函数判断字符是否为大写字母、小写字母或数字,如果不是则归为其它字符。最后输出各类字符出现的个数。
阅读全文