c语言,输入一行字符,分别统计其中英文字母,空格,数字和其他字符的个数
时间: 2024-12-16 19:25:10 浏览: 9
在C语言中,你可以使用标准库函数以及一些基本的数据结构来实现这个功能。下面是一个简单的示例程序:
```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 (int i = 0; input[i] != '\0'; i++) { // 遍历输入字符串
if (isalpha(input[i])) { // 判断是否为字母
alpha_count++;
} else if (isspace(input[i])) { // 判断是否为空格
space_count++;
} else if (isdigit(input[i])) { // 判断是否为数字
digit_count++;
} else { // 其他字符(包括标点符号、特殊字符等)
other_count++;
}
}
printf("\n字母: %d\n空格: %d\n数字: %d\n其他字符: %d\n", alpha_count, space_count, digit_count, other_count);
return 0;
}
```
在这个程序中,我们使用了`isalpha()`、`isspace()`和`isdigit()`函数来判断字符的类型,然后分别计数。注意,`fgets()`用于读取一行输入并包含换行符。
阅读全文