输入一个字符串,计算其中小写字母、大写字母、数字字符、其他字符的个数
时间: 2023-12-11 22:02:17 浏览: 214
计算一个字符串中各种类型字符的个数
好的,以下是 Python 代码实现:
```python
def count_chars(string):
upper = 0 # 大写字母计数
lower = 0 # 小写字母计数
digit = 0 # 数字字符计数
other = 0 # 其他字符计数
for char in string:
if char.isupper():
upper += 1
elif char.islower():
lower += 1
elif char.isdigit():
digit += 1
else:
other += 1
return upper, lower, digit, other
# 测试
string = "Hello, World! 123"
print(count_chars(string)) # 输出 (2, 8, 3, 4)
```
以上代码中,我们使用了 Python 的 `isupper()`、`islower()` 和 `isdigit()` 方法来判断字符的类型,并分别累加计数。最后将各个计数值作为元组返回。
阅读全文