web-dev-qa-db-ja.com

グループ化されたデータをグループサイズごとにPandas

データセットには、col1とcol2の2つの列があります。 col1に従ってデータをグループ化し、各グループのサイズに従ってデータを並べ替えます。つまり、グループをサイズの昇順で表示したいと思います。

データをグループ化して表示するためのコードを次のように記述しました。

grouped_data = df.groupby('col1')
"""code for sorting comes here"""
for name,group in grouped_data:
          print (name)
          print (group)

データを表示する前に、グループサイズごとに並べ替える必要がありますが、これはできません。

16
nishant

Pandas 0.17+の場合、_sort_values_を使用します:

_df.groupby('col1').size().sort_values(ascending=False)
_

0.17より前の場合、size().order()を使用できます。

_df.groupby('col1').size().order(ascending=False)
_
41
Victor Yan

Pythonを使用できます 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)]

注:イテレーターgとして、キーと対応するサブフレームのペアを反復します。

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)]
12
Andy Hayden
import pandas as pd

df = pd.DataFrame([[5,5],[9,7],[1,8],[1,7,],[7,8],[9,5],[5,6],[1, 2], [1, 4], [5, 6]], columns=['A', 'B'])

  A   B  
0   5   5  
1   9   7  
2   1   8  
3   1   7  
4   7   8  
5   9   5  
6   5   6  
7   1   2  
8   1   4  
9   5   6    

group = df.groupby('A')

count = group.size()

count  
A  

1   4  
5   3  
7   1  
9   2    
dtype: int64

grp_len = count[count.index.isin(count.nlargest(2).index)]

grp_len   
A  
1   4  
5   3  
dtype: int64
0
srishti k