用while语句写一个输入一行字符,统计其中大写字母、小写字母、数字字母及其他字符的个数的程序
时间: 2023-12-14 20:02:07 浏览: 129
好的,以下是用while语句写统计字符的程序:
```
upper_count = 0
lower_count = 0
digit_count = 0
other_count = 0
while True:
# 从标准输入读取一行字符
line = input("请输入一行字符:")
# 检查行是否为空,如果为空,退出循环
if not line:
break
# 统计每个字符的类型
for c in line:
if c.isupper():
upper_count += 1
elif c.islower():
lower_count += 1
elif c.isdigit():
digit_count += 1
else:
other_count += 1
# 输出结果
print("大写字母个数:", upper_count)
print("小写字母个数:", lower_count)
print("数字个数:", digit_count)
print("其他字符个数:", other_count)
```
当然,如果您有什么其他问题,欢迎随时问我!
相关问题
从键盘输入一行字符,统计其中大写字符的个数,小写字符的个数,数字的个数,以及非字母和数字的个数。请分别用for,while循环语句实现 从键盘输入一行字符,统计其中大写字符的个数,小写字符的个数,数字的个数,以及非字母和数字的个数。请分别用for,while循环语句实现
使用for循环实现:
```python
s = input("请输入一行字符:")
upper_count = 0
lower_count = 0
digit_count = 0
other_count = 0
for c in s:
if c.isupper():
upper_count += 1
elif c.islower():
lower_count += 1
elif c.isdigit():
digit_count += 1
else:
other_count += 1
print("大写字母个数:", upper_count)
print("小写字母个数:", lower_count)
print("数字个数:", digit_count)
print("非字母和数字个数:", other_count)
```
使用while循环实现:
```python
s = input("请输入一行字符:")
upper_count = 0
lower_count = 0
digit_count = 0
other_count = 0
i = 0
while i < len(s):
if s[i].isupper():
upper_count += 1
elif s[i].islower():
lower_count += 1
elif s[i].isdigit():
digit_count += 1
else:
other_count += 1
i += 1
print("大写字母个数:", upper_count)
print("小写字母个数:", lower_count)
print("数字个数:", digit_count)
print("非字母和数字个数:", other_count)
```
C语言统计输入的字符串中大写字母和小写字母的个数while语句
下面是一个 C 语言程序,使用 while 循环统计输入的字符串中大写字母和小写字母的个数:
```c
#include <stdio.h>
int main() {
char str[100];
int i = 0, upper = 0, lower = 0;
printf("Enter a string: ");
scanf("%s", str);
while (str[i] != '\0') {
if (str[i] >= 'A' && str[i] <= 'Z') {
upper++;
} else if (str[i] >= 'a' && str[i] <= 'z') {
lower++;
}
i++;
}
printf("Number of uppercase letters: %d\n", upper);
printf("Number of lowercase letters: %d\n", lower);
return 0;
}
```
程序首先提示用户输入一个字符串,并使用 scanf 函数将字符串存储在字符数组 str 中。然后使用 while 循环遍历字符串中的每个字符,如果字符是大写字母,则将大写字母计数器 upper 加 1;如果字符是小写字母,则将小写字母计数器 lower 加 1。最后程序输出统计结果。
阅读全文