从键盘输入一行字符,统计其中大写字符的个数,小写字符的个数,数字的个数,以及非字母和数字的个数。请分别用for,while循环语句实现 从键盘输入一行字符,统计其中大写字符的个数,小写字符的个数,数字的个数,以及非字母和数字的个数。请分别用for,while循环语句实现
时间: 2024-05-10 13:20:03 浏览: 39
从键盘输入一串字符,分别统计其中的字母,数字字符和其他[文].pdf
使用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(f"大写字母个数:{upper_count}")
print(f"小写字母个数:{lower_count}")
print(f"数字个数:{digit_count}")
print(f"非字母和数字个数:{other_count}")
```
使用while循环实现:
```python
s = input("请输入一行字符:")
upper_count = 0 # 大写字母计数器
lower_count = 0 # 小写字母计数器
digit_count = 0 # 数字计数器
other_count = 0 # 非字母和数字计数器
i = 0
while i < len(s):
c = s[i]
if c.isupper():
upper_count += 1
elif c.islower():
lower_count += 1
elif c.isdigit():
digit_count += 1
else:
other_count += 1
i += 1
print(f"大写字母个数:{upper_count}")
print(f"小写字母个数:{lower_count}")
print(f"数字个数:{digit_count}")
print(f"非字母和数字个数:{other_count}")
```
阅读全文