C语言编写程序统计输入的一串字符中大写字母和小写字母的个数
时间: 2024-01-28 07:03:22 浏览: 95
好的,我可以回答这个问题。你可以使用C语言编写一个程序来统计输入字符串中大写字母和小写字母的个数。以下是一个示例程序:
```c
#include <stdio.h>
#include <ctype.h>
int main()
{
char str[100];
int i, upper = 0, lower = 0;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
for(i = 0; str[i] != '\0'; i++)
{
if(isupper(str[i]))
upper++;
else if(islower(str[i]))
lower++;
}
printf("大写字母个数:%d\n", upper);
printf("小写字母个数:%d\n", lower);
return 0;
}
```
这个程序要求用户输入一个字符串,然后使用`for`循环遍历字符串中的每个字符。如果字符是大写字母,则将`upper`变量增加1;如果是小写字母,则将`lower`变量增加1。最后,在屏幕上输出大写字母和小写字母的个数。
相关问题
c语言编写程序,统计输入的字符串中大写字母和小写字母的个数
您好,这是一个非常常见的问题。以下是一个简单的 C 语言程序,可以统计输入的字符串中大写字母和小写字母的个数:
```
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, upper = 0, lower = 0;
printf("请输入一个字符串:");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isupper(str[i])) {
upper++;
} else if (islower(str[i])) {
lower++;
}
}
printf("大写字母个数:%d\n", upper);
printf("小写字母个数:%d\n", lower);
return 0;
}
```
这个程序使用了 `ctype.h` 头文件中的 `isupper()` 和 `islower()` 函数来判断字符是否为大写字母或小写字母。程序首先读入一个字符串,然后遍历字符串中的每个字符,统计大写字母和小写字母的个数,最后输出结果。
c语言程序设计 编写程序,输入一串字符,以回车作为结束标志,统计并输出这串字符中大写字母,小写字母数字字符和其他字符的个数
在C语言中,你可以通过循环结构遍历用户输入的字符串,并使用条件判断来区分大写字母、小写字母、数字以及其他字符。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h> // 包含处理字符类型的函数
int main() {
char input[100]; // 假设最多输入99个字符
int uppercase = 0, lowercase = 0, digit = 0, others = 0;
printf("请输入一串字符(以回车结束):");
fgets(input, sizeof(input), stdin); // 读取用户输入直到换行符
for (int i = 0; input[i] != '\0'; i++) { // 遍历输入字符串
if (isupper(input[i])) { // 检查是否为大写字母
uppercase++;
} else if (islower(input[i])) { // 检查是否为小写字母
lowercase++;
} else if (isdigit(input[i])) { // 检查是否为数字
digit++;
} else { // 其他字符
others++;
}
}
printf("大写字母: %d\n", uppercase);
printf("小写字母: %d\n", lowercase);
printf("数字: %d\n", digit);
printf("其他字符: %d\n", others);
return 0;
}
```
在这个程序中,`isupper()` 和 `islower()` 函数用于检查字符是否为大写和小写字母,`isdigit()` 则检查字符是否为数字。非这三个条件的字符将归类为“其他”。
阅读全文