用c语言,输入10个字符,统计其中英文字母、空格或回车、数字字符和其他字符的个数
时间: 2024-11-27 17:23:15 浏览: 19
tj.rar_visual c_数字字符个数
在C语言中,你可以使用数组和条件判断来实现这个功能。首先,创建一个长度为10的字符数组来存储输入的字符,并遍历该数组。对于每个字符,检查它属于哪一类:
```c
#include <stdio.h>
#include <ctype.h> // 包含处理字符类别函数
int main() {
char input[10];
int alpha_count = 0; // 英文字母
int space_count = 0; // 空格或回车
int digit_count = 0; // 数字
int others_count = 0; // 其他字符
printf("Enter 10 characters: ");
fgets(input, sizeof(input), stdin); // 获取用户输入,包含换行符
for (int i = 0; i < strlen(input) && i < 10; i++) {
if (isalpha(input[i])) { // 检查是否为字母
alpha_count++;
} else if (isspace(input[i])) { // 检查是否为空格或回车
space_count++;
} else if (isdigit(input[i])) { // 检查是否为数字
digit_count++;
} else { // 其他字符(非字母、空格、数字)
others_count++;
}
}
printf("\nCharacter counts:\n");
printf("Alphabetic characters: %d\n", alpha_count);
printf("Spaces and newlines: %d\n", space_count);
printf("Numeric characters: %d\n", digit_count);
printf("Other characters: %d\n", others_count);
return 0;
}
```
阅读全文