使用python中的三列组合在数据框中创建新列

时间:2018-12-04 17:08:31

标签: python pandas pivot tabular

我有这样的东西:

       Date  Id  Product  Sales
0  1/1/2001   1       21      1200
1  1/1/2001   1       22      1000
2  1/1/2001   1       23      1500
3  2/1/2001   1       21      300
4  2/1/2001   2       22      200
5  3/1/2001   3       21      400
6  4/1/2001   3       22      500

我想用同一张表创建类似的东西:

enter image description here

2 个答案:

答案 0 :(得分:0)

通过Pivos的Pivot功能很容易做到这一点。

这是您的数据框:

code.py

输出:

df=pd.DataFrame([['1/1/2001',1,21,1200],['1/1/2001',1,22,1000],['1/1/2001',1,23,1500],['2/1/2001',1,21,300],['2/1/2001',2,22,200],['3/1/2001',3,21,400],['4/1/2001',3,22,500]],columns=('Date','Id','Product','Sales'))

现在只需使用以下代码:

    Date    Id  Product Sales
0   1/1/2001    1   21  1200
1   1/1/2001    1   22  1000
2   1/1/2001    1   23  1500
3   2/1/2001    1   21  300
4   2/1/2001    2   22  200
5   3/1/2001    3   21  400
6   4/1/2001    3   22  500

您会得到:

df.pivot(index='Date',columns='Product',values='Sales')

关于列的名称,好吧,您可以更改它的方式,也可以更改它们在我的答案中的显示方式,我想它们还可以。

答案 1 :(得分:0)

您将串联ID和产品,然后旋转结果。

import pandas as pd

df=pd.DataFrame([['1/1/2001',1,21,1200],['1/1/2001',1,22,1000],['1/1/2001',1,23,1500],['2/1/2001',1,21,300],['2/1/2001',2,22,200],['3/1/2001',3,21,400],['4/1/2001',3,22,500]],columns=('Date','Id','Product','Sales'))

df['Id_Prod'] = df['Id'].astype(str).str.cat(df['Product'].astype(str), sep='_')

df.pivot(index='Date',columns='Id_Prod',values='Sales')

结果:

enter image description here