c语言输入一串字符,回车结束,分别统计数字字符、英文字母、空格和其他字符的数量并输出
时间: 2024-02-03 17:03:55 浏览: 106
可以使用以下代码来统计输入的字符中数字字符、英文字母、空格和其他字符的数量:
```c
#include <stdio.h>
int main() {
char c;
int num = 0, letter = 0, space = 0, other = 0;
printf("请输入一串字符,回车结束:\n");
while ((c = getchar()) != '\n') {
if (c >= '0' && c <= '9') {
num++;
} else if ((c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z')) {
letter++;
} else if (c == ' ') {
space++;
} else {
other++;
}
}
printf("数字字符:%d\n", num);
printf("英文字母:%d\n", letter);
printf("空格:%d\n", space);
printf("其他字符:%d\n", other);
return 0;
}
```
在上述代码中,我们使用了一个 while 循环来逐个读入字符,直到读到回车为止。在循环中,我们判断每个字符的类型,然后分别累加数字字符、英文字母、空格和其他字符的数量。最后,我们将统计结果打印出来。
阅读全文