从键盘上输入一行字符,统计其中英文字母、数字、空格和其他字符的个数。c语言
时间: 2024-11-23 20:11:49 浏览: 21
输入10个字符,统计其中英文字母、空格或回车、数字字符和其他字符的个数(C语言代码)
在C语言中,你可以通过遍历输入字符串并逐个字符分析来实现这个功能。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input[100];
int alpha_count = 0, digit_count = 0, space_count = 0, other_count = 0;
printf("请输入一行字符:");
fgets(input, sizeof(input), stdin); // 获取用户输入
for (int i = 0; input[i] != '\0'; i++) { // 遍历输入字符串
if (isalpha(input[i])) { // 检查是否为字母
alpha_count++;
} else if (isdigit(input[i])) { // 检查是否为数字
digit_count++;
} else if (input[i] == ' ') { // 检查是否为空格
space_count++;
} else { // 其他字符(包括标点符号等)
other_count++;
}
}
printf("英文字母有 %d 个,\n", alpha_count);
printf("数字有 %d 个,\n", digit_count);
printf("空格有 %d 个,\n", space_count);
printf("其他字符有 %d 个。\n", other_count);
return 0;
}
```
在这个程序中,`isalpha()` 和 `isdigit()` 函数分别用于检查字符是否为字母和数字,`isspace()` 则用于检测空格。非字母、非数字和非空格的其他字符会被计为“其他”。
阅读全文