功能:向一个字符数组内任意输入一串字符,然后统计其中英文大写字母、小写字母、数字、空格以及其他字符各有多少个。C语言
时间: 2023-07-10 12:09:18 浏览: 112
可以使用 `ctype.h` 库中的函数来判断字符的类型,代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, upper_count = 0, lower_count = 0, digit_count = 0, space_count = 0, other_count = 0;
printf("请输入一串字符:");
fgets(str, sizeof(str), stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
upper_count++;
} else if (islower(str[i])) {
lower_count++;
} else if (isdigit(str[i])) {
digit_count++;
} else if (isspace(str[i])) {
space_count++;
} else {
other_count++;
}
}
printf("大写字母:%d\n", upper_count);
printf("小写字母:%d\n", lower_count);
printf("数字:%d\n", digit_count);
printf("空格:%d\n", space_count);
printf("其他字符:%d\n", other_count);
return 0;
}
```
这里使用了 `fgets()` 函数来从标准输入中读取一行字符串,`isupper()`、`islower()`、`isdigit()`、`isspace()` 函数用来判断字符的类型。最后统计各种类型字符的个数并输出。
阅读全文