编写程序,用于统计字符串中每个字母的出现次数,按照{‘a’:3,’b’:3}的个数输出
时间: 2024-05-08 17:21:43 浏览: 95
统计字符串中每个字符出现次数并排序工具
以下是Python的代码实现:
```python
def count_chars(s):
freq = {}
for c in s:
if c in freq:
freq[c] += 1
else:
freq[c] = 1
return freq
s = "hello world"
freq = count_chars(s)
print({c: freq[c] for c in sorted(freq)})
```
输出结果为:`{' ': 1, 'd': 1, 'e': 1, 'h': 1, 'l': 3, 'o': 2, 'r': 1, 'w': 1}`
解释:函数 `count_chars` 统计了字符串 `s` 中每个字符出现的次数,并将结果保存在一个字典 `freq` 中。最后,使用 `sorted` 函数对字典的键进行排序,再按照题目要求输出结果。
阅读全文