编写一个程序,统计字符串中英文字母、空格、数字和其他字母的个数。
时间: 2023-11-17 08:16:06 浏览: 90
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
好的,以下是一个 Python 的实现示例:
```python
def count_chars(s):
counts = {"alphabet": 0, "space": 0, "digit": 0, "other": 0}
for c in s:
if c.isalpha():
counts["alphabet"] += 1
elif c.isspace():
counts["space"] += 1
elif c.isdigit():
counts["digit"] += 1
else:
counts["other"] += 1
return counts
s = "Hello World! 123"
counts = count_chars(s)
print("Alphabets:", counts["alphabet"])
print("Spaces:", counts["space"])
print("Digits:", counts["digit"])
print("Others:", counts["other"])
```
这个程序首先定义一个字典 `counts`,用于记录各种字符的数量,然后遍历字符串 `s` 中的每个字符,根据字符的类型将对应的计数器加一,最后返回计数器的值。你可以尝试输入不同的字符串进行测试。
阅读全文