c语言2)程序设计题 (1)编写程序ex5_12.c:输人一行字符,分别统计其中英文字母、空格、数字和其他字的个数。
时间: 2024-12-16 09:29:13 浏览: 6
在C语言中,为了完成这个题目,你可以使用`ctype.h`库中的函数来检查每个输入字符的类别。下面是一个简单的示例程序`ex5_12.c`,它会读取用户输入的一行字符并分别统计字母、空格、数字和其它字符的数量:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input[100];
int alpha_count = 0, space_count = 0, digit_count = 0, other_count = 0;
printf("请输入一行字符: ");
fgets(input, sizeof(input), stdin); // 注意fgets处理换行符
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;
}
```
当你运行此程序,它将提示用户输入一行字符,然后显示每种类型的字符计数。
阅读全文