如何将函数应用于Pandas数据框的两列


368

假设我有一个df包含的列'ID', 'col_1', 'col_2'。我定义一个函数:

f = lambda x, y : my_function_expression

现在,我要应用fdf的两列'col_1', 'col_2',以逐元素的计算新列'col_3',有点像:

df['col_3'] = df[['col_1','col_2']].apply(f)  
# Pandas gives : TypeError: ('<lambda>() takes exactly 2 arguments (1 given)'

怎么做 ?

** 如下添加详细样本 ***

import pandas as pd

df = pd.DataFrame({'ID':['1','2','3'], 'col_1': [0,2,3], 'col_2':[1,4,5]})
mylist = ['a','b','c','d','e','f']

def get_sublist(sta,end):
    return mylist[sta:end+1]

#df['col_3'] = df[['col_1','col_2']].apply(get_sublist,axis=1)
# expect above to output df as below 

  ID  col_1  col_2            col_3
0  1      0      1       ['a', 'b']
1  2      2      4  ['c', 'd', 'e']
2  3      3      5  ['d', 'e', 'f']

4
您可以将f直接应用于列:df ['col_3'] = f(df ['col_1'],df ['col_2'])
btel 2012年

1
知道f正在做什么将很有用
tehmisvh 2012年

2
否,df ['col_3'] = f(df ['col_1'],df ['col_2'])不起作用。对于f只接受标量输入,不接受向量输入。好的,您可以假设f = lambda x,y:x + y。(当然,我真正的f不是那么简单,否则我可以直接df ['col_3'] = df ['col_1'] + df ['col_2'])
bigbug 2012年

1
我在url下方找到了一个相关的问答,但是我的问题是用两个现有列(而不是1中的2)来计算一个新列。 stackoverflow.com/questions/12356501/…–
bigbug

我认为我的响应stackoverflow.com/a/52854800/5447172以最Pythonic / Pandanic方式回答了此问题,没有解决方法或数字索引。它会产生恰如您在示例中所需的输出。
ajrwhite

Answers:


291

这是apply在数据框上使用的示例,我正在用进行调用axis = 1

请注意,区别在于,与其尝试将两个值传递给函数f,不如重写函数以接受pandas Series对象,然后对Series进行索引以获取所需的值。

In [49]: df
Out[49]: 
          0         1
0  1.000000  0.000000
1 -0.494375  0.570994
2  1.000000  0.000000
3  1.876360 -0.229738
4  1.000000  0.000000

In [50]: def f(x):    
   ....:  return x[0] + x[1]  
   ....:  

In [51]: df.apply(f, axis=1) #passes a Series object, row-wise
Out[51]: 
0    1.000000
1    0.076619
2    1.000000
3    1.646622
4    1.000000

根据您的用例,有时创建一个pandas group对象然后apply在组中使用会很有帮助。


是的,我尝试使用Apply,但是找不到有效的语法表达式。而且,如果df的每一行都是唯一的,是否仍使用groupby?
bigbug 2012年

在我的答案中添加了一个示例,希望它能满足您的需求。如果没有,请提供一个更具体的示例函数,因为sum到目前为止建议的任何方法都可以成功解决该问题。
阿曼2012年

1
您可以粘贴代码吗?我重写该函数:def get_sublist(x):返回mylist [x [1]:x [2] + 1]和df ['col_3'] = df.apply(get_sublist,axis = 1)给出'ValueError:操作数可以不能与形状(2)(3)一起播放”
bigbug 2012年

3
@Aman:对于Pandas版本0.14.1(可能更早),use也可以使用lambda表达式。给df您定义的对象,另一种方法(结果相同)是df.apply(lambda x: x[0] + x[1], axis = 1)
2015年

2
@CanCeylan,您可以只在函数中使用列名而不是索引,那么您不必担心顺序更改,也不必按名称获取索引,例如,请参见stackoverflow.com/questions/13021654/…–
达沃斯

165

在Pandas中,有一种简单的方法可以做到这一点:

df['col_3'] = df.apply(lambda x: f(x.col_1, x.col_2), axis=1)

这允许 f成为具有多个输入值的用户定义函数,并使用(安全)列名而不是(不安全)数字索引来访问列。

数据示例(基于原始问题):

import pandas as pd

df = pd.DataFrame({'ID':['1', '2', '3'], 'col_1': [0, 2, 3], 'col_2':[1, 4, 5]})
mylist = ['a', 'b', 'c', 'd', 'e', 'f']

def get_sublist(sta,end):
    return mylist[sta:end+1]

df['col_3'] = df.apply(lambda x: get_sublist(x.col_1, x.col_2), axis=1)

输出print(df)

  ID  col_1  col_2      col_3
0  1      0      1     [a, b]
1  2      2      4  [c, d, e]
2  3      3      5  [d, e, f]

如果您的列名包含空格或与现有的dataframe属性共享名称,则可以使用方括号进行索引:

df['col_3'] = df.apply(lambda x: f(x['col 1'], x['col 2']), axis=1)

2
请注意,如果使用axis=1和您列被调用name,则实际上不会返回您的列数据,而是返回index。类似的,以便充分namegroupby()。我通过重命名专栏解决了这个问题。
汤姆·赫姆斯

2
就是这个!我只是没有意识到您可以将具有多个输入参数的用户定义函数插入到lambda中。重要的是要注意(我认为)您正在使用DF.apply()而不是Series.apply()。这使您可以使用所需的两列为df编制索引,并将整个列传递到函数中,但是由于您使用的是apply(),因此它将以元素方式将函数应用于整个列。辉煌!感谢您的发表!
Data-phile

1
最后!你救了我的一天!
Mysterio

我认为建议的方法是df.loc [:,'new col'] = df.apply ....
valearner

@valearner我认为.loc示例中没有任何理由更喜欢。如果使它适应其他问题设置(例如,使用切片),则可能需要使用它。
ajrwhite

86

一个简单的解决方案是:

df['col_3'] = df[['col_1','col_2']].apply(lambda x: f(*x), axis=1)

1
这个答案与问题中的方法有什么不同:df ['col_3'] = df [[''col_1','col_2']]。apply(f)只是为了确认,问题中的方法无效,因为发布者未指定此axis = 1,默认值为axis = 0?
丢失

1
此答案与@Anman的答案相当,但有点模糊。他正在构造一个匿名函数,该函数需要一个可迭代的函数,并在将其传递给函数f之前将其解压缩。
tiao

39

一个有趣的问题!我的回答如下:

import pandas as pd

def sublst(row):
    return lst[row['J1']:row['J2']]

df = pd.DataFrame({'ID':['1','2','3'], 'J1': [0,2,3], 'J2':[1,4,5]})
print df
lst = ['a','b','c','d','e','f']

df['J3'] = df.apply(sublst,axis=1)
print df

输出:

  ID  J1  J2
0  1   0   1
1  2   2   4
2  3   3   5
  ID  J1  J2      J3
0  1   0   1     [a]
1  2   2   4  [c, d]
2  3   3   5  [d, e]

我将列名称更改为ID,J1,J2,J3以确保ID <J1 <J2 <J3,因此列以正确的顺序显示。

另一个简短的版本:

import pandas as pd

df = pd.DataFrame({'ID':['1','2','3'], 'J1': [0,2,3], 'J2':[1,4,5]})
print df
lst = ['a','b','c','d','e','f']

df['J3'] = df.apply(lambda row:lst[row['J1']:row['J2']],axis=1)
print df

23

您正在寻找的方法是Series.combine。但是,似乎必须谨慎处理数据类型。在您的示例中,您会(就像我在测试答案时所做的那样)天真地调用

df['col_3'] = df.col_1.combine(df.col_2, func=get_sublist)

但是,这将引发错误:

ValueError: setting an array element with a sequence.

我最好的猜测是,似乎期望结果与调用该方法的系列(此处为df.col_1)具有相同的类型。但是,以下工作原理:

df['col_3'] = df.col_1.astype(object).combine(df.col_2, func=get_sublist)

df

   ID   col_1   col_2   col_3
0   1   0   1   [a, b]
1   2   2   4   [c, d, e]
2   3   3   5   [d, e, f]

12

您的书写方式需要两个输入。如果查看错误消息,它表示您没有为f提供两个输入,仅一个。错误消息是正确的。
之所以不匹配,是因为df [[''col1','col2']]返回一个包含两列而不是两列的单个数据帧。

你需要改变你的f,将它需要一个输入,保持上述数据帧作为输入,然后把它分解成X,Y 内部函数体。然后执行所需的任何操作并返回一个值。

您需要此函数签名,因为语法为.apply(f),因此f需要采用单个对象=数据帧,而不是当前f所期望的两件事。

由于您尚未提供f的正文,因此我无济于事-但这应提供解决方法,而无需从根本上更改您的代码或使用其他方法(而不是应用)


12

我将对np.vectorize进行投票。它允许您仅拍摄x列数,而不处理函数中的数据框,因此非常适合您无法控制的函数或执行向函数发送2列和常量之类的操作(例如col_1,col_2, 'foo')。

import numpy as np
import pandas as pd

df = pd.DataFrame({'ID':['1','2','3'], 'col_1': [0,2,3], 'col_2':[1,4,5]})
mylist = ['a','b','c','d','e','f']

def get_sublist(sta,end):
    return mylist[sta:end+1]

#df['col_3'] = df[['col_1','col_2']].apply(get_sublist,axis=1)
# expect above to output df as below 

df.loc[:,'col_3'] = np.vectorize(get_sublist, otypes=["O"]) (df['col_1'], df['col_2'])


df

ID  col_1   col_2   col_3
0   1   0   1   [a, b]
1   2   2   4   [c, d, e]
2   3   3   5   [d, e, f]

1
这实际上并不能用熊猫回答这个问题。
mnky9800n

18
问题是“如何将函数应用于两列Pandas数据框”而不是“如何仅通过Pandas方法将函数应用于两列Pandas数据”,而numpy是Pandas的依赖项,因此无论如何都必须安装它,所以这似乎是一个奇怪的异议。
Trae Wallace

12

从中返回列表apply是危险的操作,因为不能保证结果对象不是Series还是DataFrame。在某些情况下可能会引发例外情况。让我们来看一个简单的例子:

df = pd.DataFrame(data=np.random.randint(0, 5, (5,3)),
                  columns=['a', 'b', 'c'])
df
   a  b  c
0  4  0  0
1  2  0  1
2  2  2  2
3  1  2  2
4  3  0  0

从以下位置返回列表可能会导致三种结果 apply

1)如果返回列表的长度不等于列数,则返回一系列列表。

df.apply(lambda x: list(range(2)), axis=1)  # returns a Series
0    [0, 1]
1    [0, 1]
2    [0, 1]
3    [0, 1]
4    [0, 1]
dtype: object

2)当返回列表的长度等于列数时,则返回一个DataFrame,并且每一列都获得列表中的相应值。

df.apply(lambda x: list(range(3)), axis=1) # returns a DataFrame
   a  b  c
0  0  1  2
1  0  1  2
2  0  1  2
3  0  1  2
4  0  1  2

3)如果返回列表的长度等于第一行的列数,但至少具有一行,其中列表的元素数与列数不同,则引发ValueError。

i = 0
def f(x):
    global i
    if i == 0:
        i += 1
        return list(range(3))
    return list(range(4))

df.apply(f, axis=1) 
ValueError: Shape of passed values is (5, 4), indices imply (5, 3)

不申请就回答问题

apply与axis = 1一起使用非常慢。使用基本的迭代方法可能会获得更好的性能(尤其是在较大的数据集上)。

创建更大的数据框

df1 = df.sample(100000, replace=True).reset_index(drop=True)

时机

# apply is slow with axis=1
%timeit df1.apply(lambda x: mylist[x['col_1']: x['col_2']+1], axis=1)
2.59 s ± 76.8 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)

# zip - similar to @Thomas
%timeit [mylist[v1:v2+1] for v1, v2 in zip(df1.col_1, df1.col_2)]  
29.5 ms ± 534 µs per loop (mean ± std. dev. of 7 runs, 10 loops each)

@托马斯回答

%timeit list(map(get_sublist, df1['col_1'],df1['col_2']))
34 ms ± 459 µs per loop (mean ± std. dev. of 7 runs, 10 loops each)

1
很高兴从可以学习的地方看到如此详尽的答案。
安德里亚·莫罗

7

我敢肯定这不如使用Pandas或Numpy操作的解决方案快,但是如果您不想重写函数,则可以使用map。使用原始示例数据-

import pandas as pd

df = pd.DataFrame({'ID':['1','2','3'], 'col_1': [0,2,3], 'col_2':[1,4,5]})
mylist = ['a','b','c','d','e','f']

def get_sublist(sta,end):
    return mylist[sta:end+1]

df['col_3'] = list(map(get_sublist,df['col_1'],df['col_2']))
#In Python 2 don't convert above to list

我们可以通过这种方式将任意数量的参数传递给函数。输出就是我们想要的

ID  col_1  col_2      col_3
0  1      0      1     [a, b]
1  2      2      4  [c, d, e]
2  3      3      5  [d, e, f]

1
这实际上是要快得多这些问题的答案是使用applyaxis=1
泰德·彼得鲁

2

我的问题示例:

def get_sublist(row, col1, col2):
    return mylist[row[col1]:row[col2]+1]
df.apply(get_sublist, axis=1, col1='col_1', col2='col_2')

2

如果您有庞大的数据集,则可以使用简单但更快的(执行时间)方式使用swifter:

import pandas as pd
import swifter

def fnc(m,x,c):
    return m*x+c

df = pd.DataFrame({"m": [1,2,3,4,5,6], "c": [1,1,1,1,1,1], "x":[5,3,6,2,6,1]})
df["y"] = df.swifter.apply(lambda x: fnc(x.m, x.x, x.c), axis=1)

1

我想您不想更改get_sublist功能,而只想使用DataFrame的apply方法来完成这项工作。为了获得所需的结果,我编写了两个帮助函数:get_sublist_listunlist。顾名思义,首先获取子列表,然后从列表中提取该子列表。最后,我们需要调用apply函数以df[['col_1','col_2']]随后将这两个函数应用于DataFrame。

import pandas as pd

df = pd.DataFrame({'ID':['1','2','3'], 'col_1': [0,2,3], 'col_2':[1,4,5]})
mylist = ['a','b','c','d','e','f']

def get_sublist(sta,end):
    return mylist[sta:end+1]

def get_sublist_list(cols):
    return [get_sublist(cols[0],cols[1])]

def unlist(list_of_lists):
    return list_of_lists[0]

df['col_3'] = df[['col_1','col_2']].apply(get_sublist_list,axis=1).apply(unlist)

df

如果不使用[]get_sublist函数,则该get_sublist_list函数将返回一个纯列表,它会引发ValueError: could not broadcast input array from shape (3) into shape (2)@Ted Petrou提到的列表。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.