Skip to content
Advertisement

Get the max value from each group with pandas.DataFrame.groupby

I need to aggregate two columns of my dataframe, count the values of the second columns and then take only the row with the highest value in the “count” column, let me show:

df =
col1|col2
---------
  A | AX
  A | AX
  A | AY
  A | AY
  A | AY
  B | BX
  B | BX
  B | BX
  B | BY
  B | BY
  C | CX
  C | CX
  C | CX
  C | CX
  C | CX
------------

df1 = df.groupby(['col1', 'col2']).agg({'col2': 'count'})
df1.columns = ['count']
df1= df1.reset_index()

out:
col1 col2 count
A    AX   2
A    AY   3
B    BX   3
B    BY   2
C    CX   5

so far so good, but now I need to get only the row of each ‘col1’ group that has the maximum ‘count’ value, but keeping the value in ‘col2’.

expected output in the end:

col1 col2 count
  A  AY   3
  B  BX   3
  C  CX   5

I have no idea how to do that. My attempts so far of using the max() aggregation always left the ‘col2’ out.

Advertisement

Answer

From your original DataFrame you can .value_counts, which returns a descending count within group, and then given this sorting drop_duplicates will keep the most frequent within group.

df1 = (df.groupby('col1')['col2'].value_counts()
         .rename('counts').reset_index()
         .drop_duplicates('col1'))

  col1 col2  counts
0    A   AY       3
2    B   BX       3
4    C   CX       5
User contributions licensed under: CC BY-SA
9 People found this is helpful
Advertisement