使用系列中的标量值作为用户定义函数中的变量

Using scalar values in series as variables in user defined function

我想定义一个函数,该函数以元素方式应用于数据框中的每一行,将每个元素与单独系列中的标量值进行比较。我从下面的函数开始。

def greater_than(array, value):
           g = array[array >= value].count(axis=1)
           return g

但它沿轴 0 应用蒙版,我需要它沿轴 1 应用它。我能做什么?

例如

In [3]: df = pd.DataFrame(np.arange(16).reshape(4,4))

In [4]: df
Out[4]:
    0   1   2   3
0   0   1   2   3
1   4   5   6   7
2   8   9  10  11
3  12  13  14  15

In [26]: s
Out[26]: array([   1, 1000, 1000, 1000])

In [25]: greater_than(df,s)
Out[25]:
0    0
1    1
2    1
3    1
dtype: int64

In [27]: g = df[df >= s]

In [28]: g
Out[28]:
      0   1   2   3
0   NaN NaN NaN NaN
1   4.0 NaN NaN NaN
2   8.0 NaN NaN NaN
3  12.0 NaN NaN NaN

结果应如下所示:

In [29]: greater_than(df,s)
Out[29]:
0    3
1    0
2    0
3    0
dtype: int64

因为 1,2, & 3 都 >= 1 并且 none 的剩余值大于或等于 1000。

最好的办法可能是进行一些转置(如果担心的话,不制作副本)

In [164]: df = pd.DataFrame(np.arange(16).reshape(4,4))

In [165]: s = np.array([   1, 1000, 1000, 1000])

In [171]: df.T[(df.T>=s)].T
Out[171]: 
    0    1    2    3
0 NaN  1.0  2.0  3.0
1 NaN  NaN  NaN  NaN
2 NaN  NaN  NaN  NaN
3 NaN  NaN  NaN  NaN

In [172]: df.T[(df.T>=s)].T.count(axis=1)
Out[172]: 
0    3
1    0
2    0
3    0
dtype: int64

如果您只需要计数,您也可以直接对掩码求和。

In [173]: (df.T>=s).sum(axis=0)
Out[173]: 
0    3
1    0
2    0
3    0
dtype: int64