编写函数,接受一个字符串,分别统计大写字母,小写字母,数字,其他字符的个数,并以元祖的形式返回结果
时间: 2024-01-13 15:05:37 浏览: 88
以下是一个编写函数的例子,用于统计字符串中大写字母、小写字母、数字和其他字符的个数,并以元组的形式返回结果:
```python
def count_characters(string):
upper_count = 0
lower_count = 0
digit_count = 0
other_count = 0
for char in string:
if char.isupper():
upper_count += 1
elif char.islower():
lower_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
return upper_count, lower_count, digit_count, other_count
result = count_characters("Hello World! 123")
print(result) # 输出:(2, 8, 3, 4)
```
在上面的例子中,我们定义了一个名为`count_characters`的函数,它接受一个字符串作为参数。然后,我们使用`for`循环遍历字符串中的每个字符,并使用`isupper()`、`islower()`和`isdigit()`方法来判断字符是大写字母、小写字母还是数字。根据判断结果,我们分别增加相应的计数器。最后,我们将计数器的值作为元组返回。
阅读全文