用python编写函数,接收一个字符串,分别统计大写字母、小写字母、数字、其他字符的个 数,并以元组的形式返回结果
时间: 2023-12-13 11:04:43 浏览: 270
python实现字符串中字符分类及个数统计
5星 · 资源好评率100%
好的,以下是代码实现:
```python
def count_char_types(s):
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
return (upper_count, lower_count, digit_count, other_count)
```
这个函数接收一个字符串 `s`,然后遍历字符串中的每个字符,根据字符的类型进行计数。最后,将这些计数值打包成一个元组并返回。你可以像这样调用该函数:
```python
s = "Hello, World! 123"
counts = count_char_types(s)
print(counts)
```
输出结果为:
```
(2, 8, 3, 3)
```
这表示在字符串 `s` 中有 2 个大写字母、8 个小写字母、3 个数字和 3 个其他字符。
阅读全文