使用C语言实现输入一行字符,分别统计出其中英文字母、数字、空格和其他字符的个数。
时间: 2023-11-25 08:48:33 浏览: 91
输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数
这段代码实现了输入一行字符,分别统计出其中英文字母、数字、空格和其他字符的个数。具体实现方法是通过循环读取输入的字符,然后判断该字符是英文字母、数字、空格还是其他字符,并分别计数。最后输出各个字符类型的个数。
代码实现如下:
```c
#include <stdio.h>
int main() {
char c;
int letter = 0, number = 0, space = 0, other = 0;
printf("请输入一行字符:\n");
while ((c = getchar())!= '\n') {
if ((c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z' )) {
letter++;
} else if (c >= '0' && c <= '9') {
number++;
} else if (c == ' ') {
space++;
} else {
other++;
}
}
printf("字母%d个,数字%d个,空格%d个,其他%d个", letter, number, space, other);
return 0;
}
```
阅读全文