用c语言和getchar写输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数
时间: 2024-11-23 21:22:44 浏览: 0
C语言中字符的输入输出以及计算字符个数的方法详解
5星 · 资源好评率100%
在C语言中,你可以使用`getchar()`函数读取用户输入的一行字符,并通过一系列条件判断来统计字母、空格、数字和其他字符的数量。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
int letter_count = 0; // 统计字母
int space_count = 0; // 统计空格
int digit_count = 0; // 统计数字
int other_count = 0; // 统计其他字符
char input_char;
while ((input_char = getchar()) != '\n') { // 遍历到换行符结束
if (isalpha(input_char)) { // 判断是否为字母
letter_count++;
} else if (isspace(input_char)) { // 判断是否为空格
space_count++;
} else if (isdigit(input_char)) { // 判断是否为数字
digit_count++;
} else { // 其他字符包括标点符号等
other_count++;
}
}
printf("字母: %d\n", letter_count);
printf("空格: %d\n", space_count);
printf("数字: %d\n", digit_count);
printf("其他字符: %d\n", other_count);
return 0;
}
```
在这个程序中,我们使用了`ctype.h`库中的`isalpha()`、`isspace()`和`isdigit()`函数来检查字符是否分别为字母、空格或数字。当遇到非这三种类型的字符时,我们将它们归为"其他字符"类别。
运行这个程序,它会提示用户输入一行字符,然后显示各类字符的计数结果。
阅读全文