python统计字符串各字母出现的次数
时间: 2023-04-22 16:04:33 浏览: 2230
Python3实现统计单词表中每个字母出现频率的方法示例
可以使用Python中的字典来统计字符串中各字母出现的次数。具体实现如下:
```python
s = "hello world"
count = {}
for i in s:
if i in count:
count[i] += 1
else:
count[i] = 1
print(count)
```
输出结果为:
```
{'h': 1, 'e': 1, 'l': 3, 'o': 2, ' ': 1, 'w': 1, 'r': 1, 'd': 1}
```
其中,字典`count`的键为字符串中的每个字母,值为该字母出现的次数。在遍历字符串时,如果字母已经在字典中,则将其对应的值加1;否则,将其添加到字典中,并将其值设为1。最后,输出字典即可。
阅读全文