python统计字符串中的字母个数利用函数
时间: 2023-08-24 08:03:48 浏览: 104
统计字符串中每个字母的个数
5星 · 资源好评率100%
可以使用Python内置函数`collections.Counter`来统计字符串中每个字母出现的次数,示例代码如下:
```python
from collections import Counter
def count_letters(string):
# 使用Counter统计每个字母出现的次数
letter_count = Counter(string)
# 返回字母出现次数的字典
return dict(letter_count)
# 测试代码
print(count_letters("hello world"))
```
输出结果为:
```
{'h': 1, 'e': 1, 'l': 3, 'o': 2, ' ': 1, 'w': 1, 'r': 1, 'd': 1}
```
其中,Counter函数返回的是一个字典,其中键为字符串中的每个字符,值为该字符在字符串中出现的次数。最后通过dict函数将其转换为普通的字典返回。
阅读全文