例如,我需要根据特定列中的列表对数据框进行“重塑”(请参见下文),我需要对最后一列中的列表进行重塑以在一行中仅包含k
个元素。对于k = 2
df =
c1 c2 c3 c4
aa bb cc [1,2,3,4,5]
需要到达:
df_1 =
c1 c2 c3 c4
aa bb cc [1,2]
aa bb cc [3,4]
aa bb cc [5]
当然可以实现循环并附加新的数据帧,但是我对更多的Pandasian实现方式感兴趣,因为我的数据集很大。有什么想法吗?
答案 0 :(得分:1)
IIUC
df=df.reindex(df.index.repeat(df.c4.str.len()))# reindex to flatten your dataframe
df.c4=df.c4.iloc[0]# assign the list value to one column
df
Out[334]:
c1 c2 c3 c4
0 aa bb cc 1
0 aa bb cc 2
0 aa bb cc 3
0 aa bb cc 4
0 aa bb cc 5
df['key']=np.arange(len(df))//2# k=2
df.groupby(['c1','c2','c3','key']).c4.agg(lambda x : tuple(x.tolist()))# groupby get the expected output
Out[352]:
c1 c2 c3 key
aa bb cc 0 (1, 2)
1 (3, 4)
2 (5,)
Name: c4, dtype: object
答案 1 :(得分:1)
尽可能避免列出序列。您可以改为创建多个列:
from itertools import zip_longest
n = 2
A = df.pop('c4').iloc[0]
L = [(i, j) for i, j in zip_longest(A[::2], A[1::2], fillvalue=np.nan)]
res = pd.concat([df]*len(L), ignore_index=True).join(pd.DataFrame(L))
print(res)
c1 c2 c3 0 1
0 aa bb cc 1 2.0
1 aa bb cc 3 4.0
2 aa bb cc 5 NaN