用c++编写程序,从键盘输入10个字符,分别统计出其中空格、英文字母、数字字符和其他字符的个数。
时间: 2024-05-04 11:02:02 浏览: 61
下面是使用C语言编写的程序,可以实现统计输入的10个字符中空格、英文字母、数字字符和其他字符的个数:
```c
#include <stdio.h>
int main() {
char ch;
int space_count = 0, letter_count = 0, digit_count = 0, other_count = 0;
printf("请输入10个字符:\n");
for (int i = 0; i < 10; i++) {
scanf("%c", &ch);
if (ch == ' ') {
space_count++;
} else if ((ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z')) {
letter_count++;
} else if (ch >= '0' && ch <= '9') {
digit_count++;
} else {
other_count++;
}
}
printf("空格数量:%d\n", space_count);
printf("英文字母数量:%d\n", letter_count);
printf("数字字符数量:%d\n", digit_count);
printf("其他字符数量:%d\n", other_count);
return 0;
}
```
程序先定义了4个变量,分别用于统计空格数量、英文字母数量、数字字符数量和其他字符数量。然后通过循环读入10个字符,并根据字符的类型进行相应的统计。最后输出统计结果。
阅读全文