输入一行字符串,分别统计出其中英文字母,空格,数字和其他字符的个数,c语言
时间: 2024-10-23 15:04:17 浏览: 28
在C语言中,你可以使用标准库函数以及`ctype.h`头文件来实现这个功能。下面是一个简单的程序示例,它接收用户输入的一行字符串,并统计字母、空格、数字和其他字符的数量:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input[100];
int alpha_count = 0, space_count = 0, digit_count = 0, other_count = 0;
printf("Enter a line of text: ");
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("Alphabetic characters: %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()` 分别检查字符是否为字母、空格和数字。如果不是这三种情况,那么认为是其他字符。
阅读全文