Sorting the grouped data as per group size in Pandas
You can use python's sorted:
In [11]: df = pd.DataFrame([[1, 2], [1, 4], [5, 6]], index=['a', 'b', 'c'], columns=['A', 'B'])
In [12]: g = df.groupby('A')
In [13]: sorted(g, # iterates pairs of (key, corresponding subDataFrame)
key=lambda x: len(x[1]), # sort by number of rows (len of subDataFrame)
reverse=True) # reverse the sort i.e. largest first
Out[13]:
[(1, A B
a 1 2
b 1 4),
(5, A B
c 5 6)]
Note: as an iterator g
, iterates over pairs of the key and the corresponding subframe:
In [14]: list(g) # happens to be the same as the above...
Out[14]:
[(1, A B
a 1 2
b 1 4,
(5, A B
c 5 6)]
For Pandas 0.17+, use sort_values
:
df.groupby('col1').size().sort_values(ascending=False)
For pre-0.17, you can use size().order()
:
df.groupby('col1').size().order(ascending=False)