python:编写函数,接收一个字符串,分别统计大写字母、小写字母、数字、其他字符的个数,并以元组形式返回结果,测试该函数
时间: 2024-05-10 14:15:58 浏览: 96
可以使用 Python 自带的字符串库中的方法来实现统计各种字符的个数,具体实现如下:
```python
def count_chars(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)
```
这个函数接收一个字符串作为输入,然后分别使用 `isupper()`、`islower()` 和 `isdigit()` 方法判断每个字符是否为大写字母、小写字母和数字。最终将统计结果存储在元组 `(upper_count, lower_count, digit_count, other_count)` 中并返回。
下面是一个测试该函数的例子:
```python
s = "Hello, World! 123"
result = count_chars(s)
print(result)
```
输出结果为:
```
(2, 8, 3, 5)
```
表示在输入字符串中,有 2 个大写字母,8 个小写字母,3 个数字,5 个其他字符。
阅读全文