用python:编写函数,接收一个字符串,分别统计大写字母、小写字母、数字、其他字符的个数,并以元组形式返回结果,测试该函数
时间: 2024-05-14 07:18:14 浏览: 98
可以使用 Python 的内置函数 `isupper()`、`islower()`、`isdigit()` 来判断字符是否为大写字母、小写字母或数字。可以使用 Python 的内置函数 `isalnum()` 判断字符是否为字母或数字。可以使用 Python 的内置函数 `len()` 获取字符串长度。
下面是一个统计字符串中大写字母、小写字母、数字和其他字符个数的函数:
```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
elif not c.isspace():
other_count += 1
return (upper_count, lower_count, digit_count, other_count)
```
这个函数接收一个字符串作为参数,返回一个包含大写字母、小写字母、数字和其他字符个数的元组。其中,`isspace()` 是 Python 的内置函数,用于判断字符是否为空格。
下面是一个测试该函数的例子:
```python
s = "Hello, World! 123"
result = count_chars(s)
print(result)
```
输出结果为:
```
(2, 8, 3, 3)
```
表示该字符串中包含 2 个大写字母、8 个小写字母、3 个数字和 3 个其他字符。
阅读全文