I need a solution that is O(n) for finding most repeated element in a list. If 2 or more numbers are repeated the same amount of time return smallest number.
JavaScript
x
8
1
from collections import Counter
2
3
def most_frequent(n):
4
count_occurence = Counter(n)
5
return count_occurence.most_common(1)[0][0]
6
7
input = [2,4,4,5,2,3,3,4,5,6,6,6,1]
8
Output should be 4 which should give the count of 3
Advertisement
Answer
You could use max
and groupby
:
JavaScript
1
9
1
from itertools import groupby
2
3
def most_frequent(li):
4
maxes=[]
5
for k,g in groupby(sorted(li)):
6
maxes.append((len(list(g)), -k))
7
8
return -max(maxes)[1]
9
Or use a dict as a counter:
JavaScript
1
7
1
def most_frequent(li):
2
cnt={}
3
for e in li:
4
cnt[-e]=cnt.get(-e, 0)+1
5
6
return -max(cnt.items(), key=lambda t: (t[1],t[0]))[0]
7
Or if your data has runs of similar numbers, without the O(n log n) sort step you can combine these two methods:
JavaScript
1
7
1
def most_frequent(li):
2
cnt={}
3
for k,g in groupby(li):
4
cnt[-k]=cnt.get(-k,0)+len(list(g))
5
6
return -max(cnt.items(), key=lambda t: (t[1],t[0]))[0]
7
And it likely is the case that using max
on a comprehension is faster than using a lambda:
JavaScript
1
7
1
def most_frequent(li):
2
cnt={}
3
for k,g in groupby(li):
4
cnt[-k]=cnt.get(-k,0)+len(list(g))
5
6
return -max(((y,x) for x,y in cnt.items()))[1]
7
In all cases, you are construction a tuple of (-element_in_list, count_of_that_element)
:
JavaScript
1
2
1
cnt=[(-2, 2), (-4, 3), (-5, 2), (-3, 2), (-6, 3), (-1, 1)]
2
You then take that max
of that by reversing the tuple either with a comprehension of a key function. Your answer then is -element_in_list
since it was negated to take the max
.