Skip to content Skip to sidebar Skip to footer

How Do I Index The 3 Highest Values In A List?

so i have these 2 lists: score = [350, 914, 569, 223, 947, 284, 567, 333, 697, 245, 227, 785, 120, 794, 343, 773, 293, 995] name = [Ryan, Stacy, Jenna, Peter, Sophie, Bryan, Cole,

Solution 1:

I think this will do it

sorted(zip(score, name), reverse=True)[:3]

So you understand what is going on:

zip: takes iterables as it's arguments and takes one element from each iterable, placing them in a tuple.

So:

>>> zip(score, name)
[(350, 'Ryan'), (914, 'Stacy'), (569, 'Jenna'), (223, 'Peter'), (947, 'Sophie'), (284, 'Bryan'), (567, 'Cole'), (333, 'Andrea'), (697, 'Emily'), (245, 'Blake'), (227, 'Mike'), (785, 'Stephan'), (120, 'Rob'), (794, 'Eliza'), (343, 'Heather'), (773, 'Daniel'), (293, 'Elisabeth'), (995, 'Samantha')]

sorted: will sort the data. By default, a tuple element is sorted on the element in the 0 index, so the score in this case. Reverse=True will sort it descending first.

And lastly, the [:3] is slice notation, saying give me all elements from the beginning up to the 3rd element. This could have also been written as [0:3]

Solution 2:

If you're only interested on the top 3, there'sheapq.nlargest:

>>> heapq.nlargest(3, zip(score, name))
[(995, 'Samantha'), (947, 'Sophie'), (914, 'Stacy')]

From the official doc:

heapq.nlargest(n, iterable, key=None)

Return a list with the n largest elements from the dataset defined by iterable. key, if provided, specifies a function of one argument that is used to extract a comparison key from each element in the iterable: key=str.lower Equivalent to: sorted(iterable, key=key, reverse=True)[:n]

Performance notice:

The latter two [nlargest and nsmallest] perform best for smaller values of n. For larger values, it is more efficient to use the sorted() function. Also, when n==1, it is more efficient to use the built-in min() and max() functions.

Solution 3:

In case you want to get the indices instead of the corresponding elements in another list, I made a function to sort the indices by list values.

defsort_index(lst, rev=True):
    index = range(len(lst))
    s = sorted(index, reverse=rev, key=lambda i: lst[i])
    return s

Output

Let's try sorting the indices of a sample list.

>>> score = [12, 48, 100, 9, 30]
>>> sort_index(score)
[2, 1, 4, 0, 3]

If you want to get the indices of the three largest values, you can just slice the list.

>>> sort_index(score)[:3]
[2, 1, 4]

It also supports sorting from smallest to largest by using the parameter rev=False.

>>> sort_index(score, rev=False)
[3, 0, 4, 1, 2]

Post a Comment for "How Do I Index The 3 Highest Values In A List?"