函数main()接收一个任意字符串s,要求返回其中出现次数最多的前3个字符组成的列表,并按出现次数从多到少排列。例如,接收字符串' abbccdddeeee ',返回[ 'e', 'd', 'b'] c
时间: 2023-06-18 21:02:34 浏览: 211
下面是一个实现该功能的 Python 代码:
```python
def top3chars(s):
# 去除字符串中的空格
s = s.replace(' ', '')
# 统计每个字符出现的次数
freq = {}
for c in s:
if c in freq:
freq[c] += 1
else:
freq[c] = 1
# 按出现次数从多到少排序
sorted_chars = sorted(freq.keys(), key=lambda x: freq[x], reverse=True)
# 取出前3个字符组成的列表
return sorted_chars[:3]
```
使用示例:
```python
s = ' abbccdddeeee '
print(top3chars(s))
```
输出:
```
['e', 'd', 'b']
```
阅读全文