简体   繁体   中英

Python: how to get sorted count of items in a list?

In Python, I've got a list of items like:

mylist = [a, a, a, a, b, b, b, d, d, d, c, c, e]

And I'd like to output something like:

a (4)
b (3)
d (3)
c (2)
e (1)

How can I output a count and leaderboard of items in a list? I'm not too bothered about efficiency, just any way that works :)

Thanks!

from collections import defaultdict

def leaders(xs, top=10):
    counts = defaultdict(int)
    for x in xs:
        counts[x] += 1
    return sorted(counts.items(), reverse=True, key=lambda tup: tup[1])[:top]

So this function uses a defaultdict to count the number of each entry in our list. We then take each pair of the entry and its count and sort it in descending order according to the count. We then take the top number of entries and return that.

So now we can say

>>> xs = list("jkl;fpfmklmcvuioqwerklmwqpmksdvjioh0-45mkofwk903rmiok0fmdfjsd")
>>> print leaders(xs)
[('k', 7), ('m', 7), ('f', 5), ('o', 4), ('0', 3), ('d', 3), ('i', 3), ('j', 3), ('l', 3), ('w', 3)]

A two-liner:

for count, elem in sorted(((mylist.count(e), e) for e in set(mylist)), reverse=True):
    print '%s (%d)' % (elem, count)

I'm surprised that no one has mentioned collections.Counter . Assuming

import collections
mylist = ['a', 'a', 'a', 'a', 'b', 'b', 'b', 'd', 'd', 'd', 'c', 'c', 'e']

it's just a one liner:

print(collections.Counter(mylist).most_common())

which will print:

[('a', 4), ('b', 3), ('d', 3), ('c', 2), ('e', 1)]

Note that Counter is a subclass of dict with some useful methods for counting objects. Refer to the documentation for more info.

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM