用C语言编写程序,统计输入的一行字符串中字母,数字,空格,和其他的字符的数目。
时间: 2024-10-10 16:11:51 浏览: 40
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 (isspace(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;
}
```
这个程序首先定义了一个数组`input`用于存储用户输入,然后通过`for`循环遍历每个字符,使用`isalpha()`、`isdigit()`和`isspace()`函数判断字符类型并相应地增加计数器。最后,打印出每种字符的计数值。
阅读全文