2. 编写函数,接收一个字符串,分别统计大用python写字母、小写字母、数字、其他字符的个数,并以元组形式返回结果,并测试该函数的代码
时间: 2024-05-15 19:13:40 浏览: 52
可以使用Python的内置方法`isupper()`、`islower()`、`isdigit()`来判断字符是否为大写字母、小写字母、数字。其他字符则可以使用正则表达式进行匹配。
以下是代码实现:
```python
import re
def count_chars(s):
upper_count, lower_count, digit_count, other_count = 0, 0, 0, 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
other_count += len(re.findall("\W", s))
return (upper_count, lower_count, digit_count, other_count)
# 测试
s = "Hello, World! 123"
result = count_chars(s)
print(result)
```
输出结果为:
```
(2, 8, 3, 4)
```
表示大写字母有2个,小写字母有8个,数字有3个,其他字符有4个。
阅读全文