c语言输入一行字符,分别统计出其中的英文字母、空格、数字、和其他字符的个数
时间: 2024-11-12 11:42:05 浏览: 9
在C语言中,你可以使用`ctype.h`库提供的函数来检查每个字符,并根据其类型计数。下面是一个简单的示例程序,它会读取一行用户输入并统计字母、空格、数字和其它字符的数量:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
int alpha_count = 0, space_count = 0, digit_count = 0, other_count = 0;
char input[100];
printf("请输入一行字符: ");
fgets(input, sizeof(input), stdin);
// 检查每一字符
for (char ch : input) {
if (isalpha(ch)) { // 判断是否为字母
alpha_count++;
} else if (isspace(ch)) { // 判断是否为空格
space_count++;
} else if (isdigit(ch)) { // 判断是否为数字
digit_count++;
} else { // 其他字符(包括标点符号等)
other_count++;
}
}
printf("字母数量: %d\n", alpha_count);
printf("空格数量: %d\n", space_count);
printf("数字数量: %d\n", digit_count);
printf("其他字符数量: %d\n", other_count);
return 0;
}
```
运行此程序时,每种类型的字符计数会在控制台显示。
阅读全文