用python编写函数,接收一个字符串,分别统计大写字母、小写字母、数字、其他字符的个数,并以元组形式返回结果,测试该函数的代码
时间: 2024-05-10 16:18:45 浏览: 90
可以使用 Python 内置的字符串方法和字符分类函数来实现这个函数。
下面是实现该函数的示例代码:
```python
def count_chars(s):
upper_count, lower_count, digit_count, other_count = 0, 0, 0, 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)
```
这个函数接收一个字符串参数 `s`,并返回一个元组,包含大写字母、小写字母、数字和其他字符的数量。
下面是测试该函数的代码:
```python
s = "Hello, World! 123"
result = count_chars(s)
print(result) # 输出:(2, 8, 3, 4)
```
这个测试代码会输出 `(2, 8, 3, 4)`,表示在字符串 `s` 中有 2 个大写字母、8 个小写字母、3 个数字和 4 个其他字符。
相关问题
用python编写函数接收一个字符串,分别统计大写字母、小写字母、数字、其他字符的个数,并以元组的形式返回结果
```python
def count_chars(s):
upper = 0
lower = 0
digit = 0
other = 0
for c in s:
if c.isupper():
upper += 1
elif c.islower():
lower += 1
elif c.isdigit():
digit += 1
else:
other += 1
return (upper, lower, digit, other)
```
使用示例:
```python
s = "Hello World! 123"
print(count_chars(s)) # 输出 (2, 8, 3, 3)
```
续写函数,接收一个字符串分别统计大写字母小写字母、数字和 其它字符的个数,并以元组形式返回结果。在主程序调用该函数并输出。
你可以创建一个名为`count_char_types`的函数,它接受一个字符串作为参数,然后使用Python内置的`isalpha()`, `isdigit()` 和 `islower()` 方法来区分字母、数字和其他字符,并计算每种类型的字符数量。以下是函数的实现:
```python
def count_char_types(s):
upper_count = sum(1 for c in s if c.isupper()) # 大写字母
lower_count = sum(1 for c in s if c.islower()) # 小写字母
digit_count = sum(1 for c in s if c.isdigit()) # 数字
other_count = len(s) - lower_count - digit_count # 其他字符(非字母和数字)
# 返回元组形式的结果
return (upper_count, lower_count, digit_count, other_count)
# 主程序调用函数并输出结果
input_string = "Hello123! World"
result = count_char_types(input_string)
print("大写字母:", result[0])
print("小写字母:", result[1])
print("数字:", result[2])
print("其他字符:", result[3])
# 相关问题 --
1. 如果字符串中有特殊字符,这个函数会如何处理?
2. 如何修改函数以忽略空格?
3. 对于非常大的字符串,此函数是否有效率?如果效率不高,有哪些改进方案?
阅读全文