C语言编程:输入一批字符(以回车结束),统计其中的大写英文字母的个数
时间: 2023-11-02 08:10:43 浏览: 109
以下是一个简单的 C 语言程序,用于输入一批字符并统计其中的大写英文字母个数:
```c
#include <stdio.h>
int main() {
char ch;
int count = 0;
printf("请输入一批字符(以回车结束):\n");
while ((ch = getchar()) != '\n') {
if (ch >= 'A' && ch <= 'Z') {
count++;
}
}
printf("大写英文字母个数为:%d\n", count);
return 0;
}
```
这个程序首先提示用户输入一批字符,然后通过 `getchar()` 函数逐个读取每个字符,如果读到的字符是大写英文字母则计数器加一。最后程序输出统计结果。
相关问题
c语言程序:输入一串字符(以回车键结束),统计其中数字、大写字母、小写字母以及其他字符的个数。
下面是一个示例的C语言程序,可以实现你的要求:
```c
#include <stdio.h>
int main() {
char input;
int digits = 0, uppercase = 0, lowercase = 0, others = 0;
printf("请输入一串字符(以回车键结束):\n");
while ((input = getchar()) != '\n') {
if (input >= '0' && input <= '9') {
digits++;
} else if (input >= 'A' && input <= 'Z') {
uppercase++;
} else if (input >= 'a' && input <= 'z') {
lowercase++;
} else {
others++;
}
}
printf("数字个数:%d\n", digits);
printf("大写字母个数:%d\n", uppercase);
printf("小写字母个数:%d\n", lowercase);
printf("其他字符个数:%d\n", others);
return 0;
}
```
你可以将以上代码保存为一个`.c`文件,然后使用C语言编译器进行编译和运行。运行程序后,输入你想要统计的字符串,程序将会输出数字、大写字母、小写字母以及其他字符的个数。
用c语言编写:输入一个以回车符结束的字符串,分别统计其中的大写字母、小写字母、数字和其他字符的个数。
```c
#include <stdio.h>
int main() {
char str[100];
int i, uppercase = 0, lowercase = 0, digit = 0, other = 0;
printf("请输入字符串:");
fgets(str, sizeof(str), stdin); // 使用 fgets() 输入字符串,以避免输入超出数组长度
for (i = 0; str[i] != '\0'; i++) {
if (str[i] >= 'A' && str[i] <= 'Z') {
uppercase++;
} else if (str[i] >= 'a' && str[i] <= 'z') {
lowercase++;
} else if (str[i] >= '0' && str[i] <= '9') {
digit++;
} else {
other++;
}
}
printf("大写字母个数:%d\n", uppercase);
printf("小写字母个数:%d\n", lowercase);
printf("数字个数:%d\n", digit);
printf("其他字符个数:%d\n", other);
return 0;
}
```
阅读全文