编写程序,输入一行字符,分别统计出其英文字母、空格、数字和其他字符的个数
时间: 2024-11-23 21:19:18 浏览: 6
python 输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数 (示例)
5星 · 资源好评率100%
要编写一个C语言程序来统计输入的一行字符中的字母、空格、数字和其他字符的个数,你可以使用标准库函数以及`ctype.h`头文件中的函数来帮助进行字符分类。以下是一个简单的示例代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input[100]; // 假设最多输入99个字符
int alpha_count = 0, space_count = 0, digit_count = 0, other_count = 0;
printf("Enter a line of characters: ");
fgets(input, sizeof(input), stdin); // 输入一行字符,不包括换行符
for (int i = 0; input[i] != '\0'; i++) { // 遍历字符串
if (isalpha(input[i])) { // 检查是否为字母
alpha_count++;
} else if (isspace(input[i])) { // 检查是否为空格
space_count++;
} else if (isdigit(input[i])) { // 检查是否为数字
digit_count++;
} else { // 其他字符(如特殊符号)
other_count++;
}
}
printf("\nCharacter count:\n");
printf("Alphabets: %d\n", alpha_count);
printf("Spaces: %d\n", space_count);
printf("Digits: %d\n", digit_count);
printf("Other Characters: %d\n", other_count);
return 0;
}
```
在这个程序中,我们用`isalpha()`检查字符是否为字母,`isspace()`判断是否为空格,`isdigit()`检查是否为数字。非字母、空格和数字的其他字符会被归为"其他字符"类别。
阅读全文