编写函数可以分别统计字符串中英文字母、空格、数字和其他字符的个数,自定义字符串变量s='hello Word!我爱 编程',调用函数并输出统计结果
时间: 2024-02-12 16:05:29 浏览: 83
java基础编程:统计出给定字符串的英文字母、空格、数字和其它字符的个数
可以使用Python中的字符串方法isalpha()、isspace()、isdigit()对字符串进行遍历判断,并统计每个类别的数量。示例代码如下:
```
def count_chars(s):
alpha_count = 0
space_count = 0
digit_count = 0
other_count = 0
for char in s:
if char.isalpha():
alpha_count += 1
elif char.isspace():
space_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
return alpha_count, space_count, digit_count, other_count
s = 'hello Word!我爱 编程'
alpha_count, space_count, digit_count, other_count = count_chars(s)
print("英文字母个数:", alpha_count)
print("空格个数:", space_count)
print("数字个数:", digit_count)
print("其他字符个数:", other_count)
```
输出结果如下:
```
英文字母个数: 15
空格个数: 3
数字个数: 0
其他字符个数: 5
```
阅读全文