6.输入一个字符串,分别计算其中小写字母、大写字母、数字、其它字符的个数
时间: 2024-11-23 14:38:45 浏览: 48
要计算一个字符串中小写字母、大写字母、数字和其它字符的数量,你可以编写一个简单的程序,利用Python的内置函数和正则表达式。以下是步骤:
1. 定义一个字符串 `s`。
2. 使用 `islower()`, `isupper()`, 和 `isdigit()` 函数统计小写字母、大写字母和数字的数量。
3. 对于非字母和数字的其他字符,可以使用正则表达式匹配,例如 `\W` 匹配非字母数字字符。
下面是一个示例代码:
```python
import re
def count_chars(s):
lower_count = sum(1 for c in s if c.islower()) # 小写字母
upper_count = sum(1 for c in s if c.isupper()) # 大写字母
digit_count = sum(1 for c in s if c.isdigit()) # 数字
other_count = len(re.findall(r'\W', s)) # 其他字符
return lower_count, upper_count, digit_count, other_count
# 示例
input_string = "HelloWorld123!@#"
lower, upper, digits, others = count_chars(input_string)
print("小写字母:", lower)
print("大写字母:", upper)
print("数字:", digits)
print("其他字符:", others)
```
运行此代码,会输出每个类型的字符计数。
阅读全文