由键盘输入任意一串字符串,存入字符数组输出,并统计其中大写字母,小写字母,数 字以及其他字符的个数。C语言
时间: 2024-12-11 13:28:15 浏览: 22
统计字符串中字母和数字个数
在C语言中,你可以使用` getchar()`函数获取用户的输入,然后遍历字符串来区分并计数各种类型的字符。以下是简单的示例代码:
```c
#include <stdio.h>
#include <ctype.h> // 包含用于检查字符类型的头文件
int main() {
char input[100], ch; // 存储输入字符串和当前字符
int upper_case = 0, lower_case = 0, digits = 0, others = 0;
// 获取用户输入
printf("请输入一串字符串: ");
fgets(input, sizeof(input), stdin); // 使用fgets以防止换行符被计入计数
// 遍历字符串
for (int i = 0; input[i] != '\0'; i++) {
ch = input[i];
// 检查字符类型并计数
if (isupper(ch)) {
upper_case++;
} else if (islower(ch)) {
lower_case++;
} else if (isdigit(ch)) {
digits++;
} else {
others++; // 其他字符(包括空格、特殊字符等)
}
}
printf("大写字母个数:%d\n", upper_case);
printf("小写字母个数:%d\n", lower_case);
printf("数字个数:%d\n", digits);
printf("其他字符个数:%d\n", others);
return 0;
}
```
阅读全文