用最简单的方法c语言循环输入一串字符,统计其中小写字母的个数
时间: 2023-06-06 14:05:31 浏览: 164
以下是用最简单的方法C语言循环输入一串字符,统计其中小写字母的个数的代码:
```c
#include <stdio.h>
int main() {
int count = 0;
char c;
printf("请输入一串字符:\n");
while ((c = getchar()) != '\n') {
if (c >= 'a' && c <= 'z') {
count++;
}
}
printf("其中小写字母的个数为:%d\n", count);
return 0;
}
```
相关问题
1c语言代码输入一串字符统计其中大写字母、小写字母、数字的个数,输 出结果
以下是一个简单的 C 语言程序代码,可以实现输入一串字符并统计其中大写字母、小写字母和数字个数的功能:
```c
#include <stdio.h>
int main() {
char str[100];
int i, upper_case = 0, lower_case = 0, digit = 0;
printf("请输入一串字符:");
gets(str);
for (i = 0; str[i] != '\0'; i++) {
if (str[i] >= 'A' && str[i] <= 'Z') {
upper_case++;
} else if (str[i] >= 'a' && str[i] <= 'z') {
lower_case++;
} else if (str[i] >= '0' && str[i] <= '9') {
digit++;
}
}
printf("大写字母个数:%d\n", upper_case);
printf("小写字母个数:%d\n", lower_case);
printf("数字个数:%d\n", digit);
return 0;
}
```
说明:
1. 定义了一个字符数组 `str`,用于存储输入的字符串。
2. 定义了三个整型变量 `upper_case`、`lower_case` 和 `digit`,分别用于存储大写字母、小写字母和数字的个数。
3. 使用 `gets()` 函数从键盘输入一串字符,并将其存储到 `str` 数组中。
4. 使用 `for` 循环遍历 `str` 数组中的每个字符,如果字符是大写字母,则 `upper_case` 变量加一,如果是小写字母,则 `lower_case` 变量加一,如果是数字,则 `digit` 变量加一。
5. 最后输出统计结果。
注意:`gets()` 函数是一个不安全的函数,因为它没有任何限制,可以读取任意长度的字符串,容易导致缓冲区溢出。建议使用更加安全的函数 `fgets()`,并且在读取字符串后需要将最后一个字符(通常是换行符)去除掉。
c语言输入一串字符统计小写字母个数,c++编程实现输入一串字符,分别统计数字字符、大、小写字母、其它字符的个数...
--回答--
1. C语言实现输入一串字符统计小写字母个数:
```c
#include <stdio.h>
int main()
{
char str[100];
int i, lowercase = 0;
printf("请输入一个字符串:");
gets(str);
for(i = 0; str[i] != '\0'; i++)
{
if(str[i] >= 'a' && str[i] <= 'z')
lowercase++;
}
printf("小写字母个数:%d", lowercase);
return 0;
}
```
2. C++实现输入一串字符,分别统计数字字符、大、小写字母、其它字符的个数:
```c++
#include <iostream>
using namespace std;
int main()
{
char str[100];
int i, digit = 0, uppercase = 0, lowercase = 0, other = 0;
cout << "请输入一个字符串:";
cin.getline(str, 100);
for(i = 0; str[i] != '\0'; i++)
{
if(str[i] >= '0' && str[i] <= '9')
digit++;
else if(str[i] >= 'A' && str[i] <= 'Z')
uppercase++;
else if(str[i] >= 'a' && str[i] <= 'z')
lowercase++;
else
other++;
}
cout << "数字个数:" << digit << endl;
cout << "大写字母个数:" << uppercase << endl;
cout << "小写字母个数:" << lowercase << endl;
cout << "其它字符个数:" << other << endl;
return 0;
}
```
阅读全文