C语言用户从键盘输入一行字符,分别统计其中英文字母大小写均含、数字字符和其他字符的个数并输出不计回车符号
时间: 2024-10-21 14:07:43 浏览: 43
在C语言中,你可以使用`ctype.h`库提供的函数来检查每个字符的类别,并统计各种类型的字符。下面是一个简单的程序示例,它会提示用户输入一行字符,然后计算字母、数字和其它字符的数量:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
int alpha_count = 0, digit_count = 0, other_count = 0;
char input[100];
printf("请输入一行字符(不含回车符):");
fgets(input, sizeof(input), stdin);
// 删除末尾的换行符 '\n'
input[strcspn(input, "\n")] = '\0';
for (char c : input) {
if (isalpha(c)) { // 检查是否为字母
alpha_count++;
} else if (isdigit(c)) { // 检查是否为数字
digit_count++;
} else { // 其他字符(包括空格、标点等)
other_count++;
}
}
printf("大写字母:%d\n", alpha_count);
printf("小写字母:%d\n", alpha_count); // 因为ASCII码中大写和小写只相差一位
printf("数字字符:%d\n", digit_count);
printf("其他字符:%d\n", other_count);
return 0;
}
```
在这个程序中,我们使用了`isalpha()`函数检测字母,`isdigit()`函数检测数字。注意,由于ASCII码的特点,大写字母和小写字母的检测在这里可以合并,因为它们只是编码值上相差很小。
阅读全文