编写一个函数, 接收字符串参数(其中字符串中包含大小写字母及其他字符), 返回一个元组,元组的第一个值为大写字母的个数, 第二个值为小写字母个数。
时间: 2024-12-06 18:27:34 浏览: 17
编写二个函数,其中一个函数func1完成功能为:接收字符串参数,返回一个元组,其中第一个元素为字符串中大写字母个数,
5星 · 资源好评率100%
你可以编写一个名为 `count_case` 的函数,它接受一个字符串作为输入,然后统计其中的大写字母和小写字母的数量。以下是函数的实现:
```python
def count_case(s):
uppercase_count = sum(1 for char in s if char.isupper())
lowercase_count = sum(1 for char in s if char.islower())
return uppercase_count, lowercase_count
# 测试示例
input_string = "Hello, World! This is a Test."
uppercase, lowercase = count_case(input_string)
print("大写字母数量:", uppercase)
print("小写字母数量:", lowercase)
```
这个函数通过遍历字符串中的每个字符,利用 `isupper()` 和 `islower()` 方法检查其是否为大写字母或小写字母,然后累加计数。
阅读全文