python 统计一个指定字符串中每个字符出现的次数
时间: 2023-11-12 10:58:40 浏览: 80
可以使用Python内置函数`collections.Counter()`来统计一个指定字符串中每个字符出现的次数。具体实现如下:
```python
from collections import Counter
string = "hello world"
result = Counter(string)
print(result)
```
输出结果为:
```
Counter({'l': 3, 'o': 2, 'e': 1, 'h': 1, ' ': 1, 'w': 1, 'r': 1, 'd': 1})
```
其中,`Counter()`函数返回一个字典,键为出现的字符,值为该字符出现的次数。```{'l': 3, 'o': 2, 'e': 1, 'h': 1, ' ': 1, 'w': 1, 'r': 1, 'd': 1}```表示字符'l'出现了3次,字符'o'出现了2次,以此类推。
阅读全文