Python:编写函数,接收一个字符串,分别统计大写字母,小写字母,数字,其他字符的个数,并以元组的形式返回结果
时间: 2024-11-22 15:40:51 浏览: 36
python:Python基本。 通过使用数组元组。 它具有有关如何将输入中的新项目追加到元组和数组的详细信息。 另外,如何在字符串中搜索大写字母
在Python中,你可以通过使用内置的`str`方法和条件判断来实现这个功能。这里是一个简单的函数示例:
```python
def count_chars(s):
uppercase_count = sum(1 for char in s if char.isupper())
lowercase_count = sum(1 for char in s if char.islower())
digit_count = sum(1 for char in s if char.isdigit())
other_count = len(s) - (uppercase_count + lowercase_count + digit_count)
return (uppercase_count, lowercase_count, digit_count, other_count)
# 示例使用
input_string = "Hello World! 123"
result = count_chars(input_string)
print(result) # 输出:(2, 8, 3, 4)
```
这个函数首先计算大写字母、小写字母和数字的数量,然后用字符串总长度减去这些计数得到其他字符的数量。最后,它以元组形式返回这四个计数值。
阅读全文