利用C语言输入一行字符,分别统计出其中的大写字母、小写字母、数字和其他字符的个数。
时间: 2024-11-23 17:29:51 浏览: 79
在C语言中,我们可以使用`ctype.h`库提供的字符分类函数来统计大写字母、小写字母、数字和其他字符的数量。以下是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
#include <string.h>
int main() {
char input[100];
int uppercase = 0, lowercase = 0, digits = 0, others = 0;
printf("请输入一行字符: ");
fgets(input, sizeof(input), stdin); // 获取用户输入
// 移除最后的换行符
input[strcspn(input, "\n")] = '\0';
for (int i = 0; input[i] != '\0'; i++) {
if (isupper(input[i])) { // 大写字母
uppercase++;
} else if (islower(input[i])) { // 小写字母
lowercase++;
} else if (isdigit(input[i])) { // 数字
digits++;
} else { // 其他字符
others++;
}
}
printf("大写字母数量: %d\n", uppercase);
printf("小写字母数量: %d\n", lowercase);
printf("数字数量: %d\n", digits);
printf("其他字符数量: %d\n", others);
return 0;
}
```
这个程序通过遍历输入的每一字符,判断其是否属于大写字母、小写字母、数字或其他字符,然后累加计数。`isupper`、`islower`和`isdigit`函数分别用于检测字符是否为大写字母、小写字母和数字。
阅读全文