c语言完成下列任务:输入一个字符串,依次计算并输出字 符串中数字、小写字母和大写字母的数量。
时间: 2024-10-18 14:24:31 浏览: 23
c语言将字符串中的小写字母转换成大写字母
5星 · 资源好评率100%
在 C 语言中,我们可以使用一些基础的控制结构如循环和条件判断来完成这个任务。这里是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h> // 包含处理字符类型的函数
int main() {
char str[100]; // 用于存储输入的字符串
int num_count = 0; // 数字的数量
int lower_count = 0; // 小写字母的数量
int upper_count = 0; // 大写字母的数量
printf("请输入一个字符串: ");
fgets(str, sizeof(str), stdin); // 从标准输入获取字符串,包括换行符
// 遍历字符串,统计字符类型
for (int i = 0; str[i] != '\0'; i++) { // 一直遍历到字符串结束
if (isdigit(str[i])) { // 如果是数字字符
num_count++;
} else if (islower(str[i])) { // 如果是小写字母
lower_count++;
} else if (isupper(str[i])) { // 如果是大写字母
upper_count++;
}
}
// 输出结果
printf("数字数量: %d\n", num_count);
printf("小写字母数量: %d\n", lower_count);
printf("大写字母数量: %d\n", upper_count);
return 0;
}
```
当你运行此程序,它会提示用户输入一个字符串,然后分别计算其中的数字、小写字母和大写字母的数量,并将结果打印出来。
阅读全文