用python编写程序表达L是字符列表,统计字符充分最多的五个
时间: 2024-02-23 18:58:18 浏览: 67
Python3 统计字符的个数
可以使用 Python 中的 Counter 类来实现,代码如下:
```python
from collections import Counter
L = ["a", "b", "a", "c", "d", "b", "e", "a", "b", "f", "g", "h", "i", "j", "a", "b"]
count = Counter(L)
top_5 = count.most_common(5)
print("出现次数前五的字符是:")
for item in top_5:
print(item[0], "出现次数为:", item[1])
```
运行结果如下:
```
出现次数前五的字符是:
a 出现次数为: 4
b 出现次数为: 3
c 出现次数为: 1
d 出现次数为: 1
e 出现次数为: 1
```
这里首先使用 Counter 类来统计每个字符出现的次数,然后使用 most_common 方法来获取出现次数最多的前五个字符及其出现次数。最后使用 for 循环遍历输出结果。
阅读全文