C语言编程输入一个字符串,统计字母(不分大小写)、数字、其他字符的个数并输出
时间: 2024-11-25 12:13:07 浏览: 8
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
在C语言编程中,要统计一个字符串中的字母(不分大小写)、数字和其他字符的个数,你可以使用`ctype.h`库中的函数来判断每个字符的类型。以下是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
void count_chars(char *str) {
int alpha_count = 0; // 字母计数
int digit_count = 0; // 数字计数
int other_count = 0; // 其他字符计数
for (int i = 0; str[i] != '\0'; i++) { // 遍历字符串
if (isalpha(str[i])) { // 判断是否为字母
alpha_count++;
} else if (isdigit(str[i])) { // 判断是否为数字
digit_count++;
} else { // 其它字符(包括空格、标点等)
other_count++;
}
}
printf("字母数量: %d\n", alpha_count);
printf("数字数量: %d\n", digit_count);
printf("其他字符数量: %d\n", other_count);
}
int main() {
char input[100]; // 输入字符串
printf("请输入一个字符串: ");
fgets(input, sizeof(input), stdin); // 获取用户输入,并去除换行符
input[strcspn(input, "\n")] = '\0'; // 替换换行符为结束符
count_chars(input); // 调用函数统计字符
return 0;
}
```
当你运行这个程序并输入一个字符串后,它会分别显示字母、数字和其他字符的数量。
阅读全文