用c语言编一个程序,输入一行字符以字符‘#’作为结束标志,分别统计出英文字母、空格、数字和其他字符的个数
时间: 2024-10-18 15:09:38 浏览: 44
你可以使用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];
char delimiter = '#';
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("统计结果如下:
- 英文字母: %d\n", alpha_count);
printf("空格: %d\n", space_count);
printf("数字: %d\n", digit_count);
printf("其他字符: %d\n", other_count);
return 0;
}
```
当你运行这个程序,它会提示你输入字符串,并在用户按下回车键后统计每个类型的字符数量。
阅读全文