用Python语言编写程序,输入一个字符串,分别计算其中小写字符、大写字符、数字、其他字符的个数。
时间: 2024-10-08 13:01:57 浏览: 45
要使用Python编写一个程序来统计输入字符串中的小写字母、大写字母、数字和其它字符(包括特殊字符)的数量,你可以使用内置的`string`模块来辅助计数。这里是一个简单的例子:
```python
def count_chars(s):
# 定义字符类型及其对应的集合
lowercase = set(string.ascii_lowercase)
uppercase = set(string.ascii_uppercase)
digits = set(string.digits)
# 初始化计数器
lower_count = 0
upper_count = 0
digit_count = 0
other_count = 0
# 遍历字符串
for char in s:
if char in lowercase:
lower_count += 1
elif char in uppercase:
upper_count += 1
elif char in digits:
digit_count += 1
else:
other_count += 1
return lower_count, upper_count, digit_count, other_count
# 输入示例
input_str = input("请输入一个字符串: ")
lower, upper, digit, other = count_chars(input_str)
print(f"小写字母数量: {lower}")
print(f"大写字母数量: {upper}")
print(f"数字数量: {digit}")
print(f"其他字符(非字母或数字)数量: {other}")
阅读全文