用python编写函数,接收一个字符串,分别统计大写字母、小写字母、数字、其他字符的个数,并以元组的形式返回结果
时间: 2024-05-11 08:17:05 浏览: 79
编写二个函数,其中一个函数func1完成功能为:接收字符串参数,返回一个元组,其中第一个元素为字符串中大写字母个数,
5星 · 资源好评率100%
好的,以下是代码实现:
```python
def count_chars(s):
upper_count = 0
lower_count = 0
digit_count = 0
other_count = 0
for char in s:
if char.isupper():
upper_count += 1
elif char.islower():
lower_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
return (upper_count, lower_count, digit_count, other_count)
```
使用示例:
```python
s = "Hello World! 123"
result = count_chars(s)
print(result) # 输出:(2, 8, 3, 3)
```
函数接收一个字符串参数 `s`,然后定义四个变量来分别统计大写字母、小写字母、数字、其他字符的个数,最后将这四个变量封装成一个元组并返回。在函数内部,使用了字符串的 `isupper()`、`islower()`、`isdigit()` 方法来判断字符的类型。
阅读全文