我想向此DataFrame添加总字段:
df_test = pd.DataFrame([
{'id':1,'cat1a':3,'cat1b':2, 'cat2a':4,'cat2b':3},
{'id':2,'cat1a':7,'cat1b':5, 'cat2a':9,'cat2b':6}
])
这段代码几乎可以运作:
def add_total(therecord):
t1 = therecord['cat1a'] + therecord['cat1b']
t2 = therecord['cat2a'] + therecord['cat2b']
return t1, t2
df_test['cat1tot', 'cat2tot'] = df_test[['cat1a', 'cat1b', 'cat2a', 'cat2b']].apply(add_total,axis=1)
除了它只产生一个新列:
这段代码:
def add_total(therecord):
t1 = therecord['cat1a'] + therecord['cat1b']
t2 = therecord['cat2a'] + therecord['cat2b']
return [t1, t2]
df_test[['cat1tot', 'cat2tot']] = df_test[['cat1a', 'cat1b', 'cat2a', 'cat2b']].apply(add_total,axis=1)
结果:KeyError: "['cat1tot' 'cat2tot'] not in index"
我尝试用以下方法解决这个问题:
my_cols_list=['cat1tot','cat2tot']
df_test.reindex(columns=[*df_test.columns.tolist(), *my_cols_list], fill_value=0)
但那并没有解决问题。那我错过了什么?
答案 0 :(得分:2)
除非绝对必要,否则使用df.apply
通常 一个好主意。原因是这些操作没有矢量化,即在后台存在一个循环,其中每一行作为自己的pd.Series
被送入函数。
这将是一个矢量化实现:
df_test['cat1tot'] = df_test['cat1a'] + df_test['cat1b']
df_test['cat2tot'] = df_test['cat2a'] + df_test['cat2b']
# cat1a cat1b cat2a cat2b id cat1tot cat2tot
# 0 3 2 4 3 1 5 7
# 1 7 5 9 6 2 12 15
答案 1 :(得分:2)
返回Series
对象:
def add_total(therecord):
t1 = therecord['cat1a'] + therecord['cat1b']
t2 = therecord['cat2a'] + therecord['cat2b']
return pd.Series([t1, t2])
然后,
df_test[['cat1tot', 'cat2tot']] = \
df_test[['cat1a', 'cat1b', 'cat2a', 'cat2b']].apply(add_total,axis=1)
df_test
cat1a cat1b cat2a cat2b id cat1tot cat2tot
0 3 2 4 3 1 5 7
1 7 5 9 6 2 12 15
这是有效的,因为apply
将特殊情况为Series
返回类型,并假设您希望将结果作为数据帧切片。
答案 2 :(得分:1)
怎么样
df_test['cat1tot'], df_test['cat2tot'] =\
df_test[['cat1a', 'cat1b', 'cat2a', 'cat2b']].apply(add_total,axis=1)