41

我有一个看起来有点像这样的计数器:

Counter: {('A': 10), ('C':5), ('H':4)}

我想按字母顺序对键进行排序,而不是按counter.most_common()

有没有办法做到这一点?

4

5 回答 5

69

只需使用sorted

>>> from collections import Counter
>>> counter = Counter({'A': 10, 'C': 5, 'H': 7})
>>> counter.most_common()
[('A', 10), ('H', 7), ('C', 5)]
>>> sorted(counter.items())
[('A', 10), ('C', 5), ('H', 7)]
于 2013-07-29T17:55:12.130 回答
13
>>> from operator import itemgetter
>>> from collections import Counter
>>> c = Counter({'A': 10, 'C':5, 'H':4})
>>> sorted(c.items(), key=itemgetter(0))
[('A', 10), ('C', 5), ('H', 4)]
于 2013-07-29T17:55:19.360 回答
1

按排序顺序获取值作为列表

array              = [1, 2, 3, 4, 5]
counter            = collections.Counter(array)
sorted_occurrences = list(dict(sorted(counter.items())).values())
于 2019-01-30T14:39:41.577 回答
1
sorted(counter.items(),key = lambda i: i[0])

例如:

arr = [2,3,1,3,2,4,6,7,9,2,19]
c = collections.Counter(arr)
sorted(c.items(),key = lambda i: i[0])

外部:[(1, 1), (2, 3), (3, 2), (4, 1), (6, 1), (7, 1), (9, 1), (19, 1) ] 如果要获取字典格式,只需

dict(sorted(c.items(),key = lambda i: i[0]))
于 2019-09-20T08:03:33.700 回答
0

在 Python 3 中,可以使用 collections.Counter 的most_common函数:

x = ['a', 'b', 'c', 'c', 'c', 'd', 'd']
counts = collections.Counter(x)
counts.most_common(len(counts))

这使用了 collections.Counter 中可用的 most_common 函数,它允许您查找n最常用键的键和计数。

于 2017-01-31T21:04:20.310 回答