怎么办'侧视图爆炸()'在熊猫

时间:2016-07-18 04:53:54

标签: python pandas

我想这样做:

# input:
        A   B
0  [1, 2]  10
1  [5, 6] -20
# output:
   A   B
0  1  10
1  2  10
2  5 -20
3  6 -20

每列A的值都是一个列表

df = pd.DataFrame({'A':[[1,2],[5,6]],'B':[10,-20]})
df = pd.DataFrame([[item]+list(df.loc[line,'B':]) for line in df.index for item in df.loc[line,'A']],
                  columns=df.columns)

以上代码可以正常运行,但速度很慢

有什么聪明的方法吗?

谢谢

1 个答案:

答案 0 :(得分:12)

方法1(OP)

pd.DataFrame([[item]+list(df.loc[line,'B':]) for line in df.index for item in df.loc[line,'A']],
             columns=df.columns)

方法2(pir)

df1 = df.A.apply(pd.Series).stack().rename('A')
df2 = df1.to_frame().reset_index(1, drop=True)
df2.join(df.B).reset_index(drop=True)

方法3(pir)

A = np.asarray(df.A.values.tolist())
B = np.stack([df.B for _ in xrange(A.shape[1])]).T
P = np.stack([A, B])
pd.Panel(P, items=['A', 'B']).to_frame().reset_index(drop=True)

感谢@ user113531提及Alexander的回答。我不得不修改它才能工作。

方法4(@Alexander)LINKED ANSWER

(如果这有帮助,请关注链接和向上投票)

rows = []
for i, row in df.iterrows():
    for a in row.A:
        rows.append([a, row.B])

pd.DataFrame(rows, columns=df.columns)

计时

方法4 (亚历山大)是最好的方法3

enter image description here