编写函数,接收一个字符串,分别统计大写字母、小写字母、 数字和其它字符的个数。
时间: 2023-08-31 08:19:14 浏览: 116
统计字符串中各字符个数
4星 · 用户满意度95%
### 回答1:
可以使用 Python 的字符串方法来实现这个功能。以下是一个示例代码:
```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
```
这个函数接收一个字符串 `s`,并返回一个元组,包含大写字母、小写字母、数字和其它字符的个数。我们可以使用 `isupper()`、`islower()` 和 `isdigit()` 方法来判断字符的类型,并使用计数器变量来统计每种类型的字符出现的次数。最后,我们返回一个元组,该元组包含计数器变量的值。
### 回答2:
编写一个函数来实现该功能:
```python
def count_characters(str):
uppercase_count = 0 # 大写字母计数器
lowercase_count = 0 # 小写字母计数器
digit_count = 0 # 数字计数器
other_count = 0 # 其它字符计数器
for char in str:
if char.isupper():
uppercase_count += 1
elif char.islower():
lowercase_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
return uppercase_count, lowercase_count, digit_count, other_count
```
函数`count_characters`接收一个字符串作为参数,然后遍历字符串中的每个字符。在遍历过程中,使用`isupper()`函数判断字符是否为大写字母,使用`islower()`函数判断字符是否为小写字母,使用`isdigit()`函数判断字符是否为数字。根据判断结果,分别将相应的计数器加一。最后,返回四个计数器的值。
示例用法:
```python
s = "Hello World! 123"
uppercase, lowercase, digits, others = count_characters(s)
print("大写字母数量:", uppercase)
print("小写字母数量:", lowercase)
print("数字数量:", digits)
print("其它字符数量:", others)
```
输出结果:
```
大写字母数量: 2
小写字母数量: 8
数字数量: 3
其它字符数量: 5
```
### 回答3:
编写一个函数来实现该功能:
```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
```
以上代码中,我们使用了四个计数器变量,通过遍历输入的字符串来统计大小写字母、数字和其它字符的个数。在遍历过程中,我们使用了字符串的内置方法`isupper()`、`islower()`和`isdigit()`来判断字符的类型。
函数会返回一个包含四个值的元组,分别表示大写字母、小写字母、数字和其它字符的个数。
阅读全文