我想基于组将多列中的行值迭代附加到新 DataFrame 中的新列。
我的目标是为每个客户设置 1 行,其中 1 列用于客户 ID,1 列用于他们的时间轴,时间轴按时间顺序列出每个事件的日期,后跟事件描述,对于所有日期和事件。
我已经用一系列字典解决了这个问题。我正在寻找一种干净、优雅、pandas 风格的方法来完成此操作,因为此代码将频繁运行,并对客户、事件等进行少量更改。
例子:
import pandas as pd
df_have = pd.DataFrame({'Customer_ID':['customer_1','customer_1','customer_1','customer_2','customer_2'],
'Event':['purchased cornflakes','purchased eggs', 'purchased waffles','sold eggs','purchased cows'],
'Date':['2011-06-16','2011-06-13','2011-06-09','2011-06-13','2011-06-18']})
df_have['Date'] = pd.to_datetime(df_have['Date'])
df_have.sort_values(['Customer_ID','Date'], inplace =True)
df_have
df_want = pd.DataFrame({'Customer_ID':['customer_1','customer_2'],
'Time_Line':[['2011-06-09,purchased waffles,2011-06-13,purchased eggs,2011-06-16,purchased cornflakes'],
['2011-06-13,sold eggs,2011-06-18,purchased cows']]})
df_want
请您参考如下方法:
步骤:
1) 将 Customer_ID
设置为索引轴,因为它将在整个操作过程中保持静态。
2) 堆叠
以便Date
和Event
低于彼此.
3) 对索引 (level=0
) 执行 groupby
并将唯一的列转换为 list
。由于我们按此顺序堆叠它们,因此它们会交替出现。
# set maximum width of columns to be displayed
pd.set_option('max_colwidth', 100)
df_have.set_index('Customer_ID').stack(
).groupby(level=0).apply(list).reset_index(name="Time_Line")
要更改序列在 list
中出现的顺序:
df_have.set_index('Customer_ID').reindex_axis(['Event', 'Date'], axis=1).stack(
).groupby(level=0).apply(list).reset_index(name="Time_Line")