12. 输入一个字符串char,分别计算其中小写字母、大写字母、数字、其它字符的个数。 判断小写字母:char.islower() 大写字母:char.isupper() 数字: char.isdigit() 用Python
时间: 2024-10-23 11:02:50 浏览: 48
C++统计中英文大小写字母、数字、空格及其他字符个数的方法
5星 · 资源好评率100%
在Python中,可以编写一个简单的函数来统计给定字符串中各个字符类型的数量。这里我们使用了字符串的内置方法`islower()`, `isupper()`, 和 `isdigit()` 来判断字符是否为小写字母、大写字母或数字。下面是一个例子:
```python
def count_char_types(s):
lower_count = sum(1 for c in s if c.islower())
upper_count = sum(1 for c in s if c.isupper())
digit_count = sum(1 for c in s if c.isdigit())
other_count = len(s) - (lower_count + upper_count + digit_count)
return lower_count, upper_count, digit_count, other_count
input_string = input("请输入一个字符串: ")
lower, upper, digits, others = count_char_types(input_string)
print(f"小写字母数量: {lower}")
print(f"大写字母数量: {upper}")
print(f"数字数量: {digits}")
print(f"其他字符数量: {others}")
阅读全文