用python编写函数,接受一个字符串,分别统计大写字母、小写字母、数字、其他字符的个数,并以元组形式返回结果
时间: 2024-06-08 08:11:55 浏览: 84
python 输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数 (示例)
5星 · 资源好评率100%
可以使用 Python 内置函数 `isupper()`, `islower()`, `isdigit()` 判断字符是否为大写字母、小写字母和数字。
代码如下:
```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)
```
调用示例:
```python
s = "Hello, World! 123"
result = count_chars(s)
print(result) # (2, 8, 3, 4)
```
这样就可以得到大写字母为2个,小写字母为8个,数字为3个,其他字符为4个。
阅读全文