用c语言实现输入字符串并统计其中大小写字母数字和其他字符的个数
时间: 2023-11-27 18:50:52 浏览: 277
以下是C语言实现输入字符串并统计其中大小写字母数字和其他字符的个数的示例代码:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, upper = 0, lower = 0, digit = 0, other = 0;
printf("请输入一个字符串:");
gets(str);
for (i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
upper++;
} else if (islower(str[i])) {
lower++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
printf("大写字母个数:%d\n", upper);
printf("小写字母个数:%d\n", lower);
printf("数字个数:%d\n", digit);
printf("其他字符个数:%d\n", other);
return 0;
}
```
这段代码先定义了一个字符数组 `str` 用于存储输入的字符串,以及四个整型变量 `upper`、`lower`、`digit` 和 `other` 分别用于统计大写字母、小写字母、数字和其他字符的个数。
接着使用 `gets()` 函数获取用户输入的字符串,然后通过循环遍历字符串中的每个字符,使用 `isupper()` 函数、`islower()` 函数和 `isdigit()` 函数判断字符是否为大写字母、小写字母和数字,如果是则对相应的计数器加一,否则加到 `other` 计数器中。
最后,输出各个计数器的值即可。
阅读全文