向量化熊猫数据框中列的逐步函数

时间:2020-04-17 07:38:08

标签: python pandas vectorization apply bisect

我有一个稍微复杂的功能,它通过预定义的逐步逻辑(取决于固定边界以及基于实际值的相对边界)将质量级别分配给给定数据。下面的函数'get_quality()'对每一行执行此操作,对于大型数据集,使用pandas DataFrame.apply相当慢。因此,我想向量化此计算。显然,我可以对内部if-logic做类似df.groupby(pd.cut(df.ground_truth, [-np.inf, 10.0, 20.0, 50.0, np.inf]))的操作,然后在每个组中应用类似的子组(基于每个组的边界),但是对于最后一个等分,我将如何做呢?在每一行中给定的real / ground_truth值上?

使用df['quality'] = np.vectorize(get_quality)(df['measured'], df['ground_truth'])已经快很多了,但是有没有一种真正的矢量化方法来计算相同的“质量”列?

import pandas as pd
import numpy as np
from bisect import bisect

quality_levels = ['WayTooLow', 'TooLow', 'OK',  'TooHigh', 'WayTooHigh']

# Note: to make the vertical borders always lead towards the 'better' score we use a small epsilon around them
eps = 0.000001

def get_quality(measured_value, real_value):
    diff = measured_value - real_value
    if real_value <= 10.0:
        i = bisect([-4.0-eps, -2.0-eps, 2.0+eps, 4.0+eps], diff)
        return quality_levels[i]
    elif real_value <= 20.0:
        i = bisect([-14.0-eps, -6.0-eps, 6.0+eps, 14.0+eps], diff)
        return quality_levels[i]
    elif real_value <= 50.0:
        i = bisect([-45.0-eps, -20.0-eps, 20.0+eps, 45.0+eps], diff)
        return quality_levels[i]
    else:
        i = bisect([-0.5*real_value-eps, -0.25*real_value-eps,
                    0.25*real_value+eps, 0.5*real_value+eps], diff)
        return quality_levels[i]

N = 100000
df = pd.DataFrame({'ground_truth': np.random.randint(0, 100, N),
                   'measured': np.random.randint(0, 100, N)})


df['quality'] = df.apply(lambda row: get_quality((row['measured']), (row['ground_truth'])), axis=1)
print(df.head())
print(df.quality2.value_counts())

#   ground_truth  measured     quality
#0            51         1   WayTooLow
#1             7        25  WayTooHigh
#2            38        95  WayTooHigh
#3            76        32   WayTooLow
#4             0        18  WayTooHigh

#OK            30035
#WayTooHigh    24257
#WayTooLow     18998
#TooLow        14593
#TooHigh       12117

1 个答案:

答案 0 :(得分:0)

np.select可以做到这一点。

import numpy as np

quality_levels = ['WayTooLow', 'TooLow', 'OK',  'TooHigh', 'WayTooHigh']

def get_quality_vectorized(df):
    # Prepare the first 4 conditions, to match the 4 sets of boundaries.
    gt = df['ground_truth']
    conds = [gt <= 10, gt <= 20, gt <= 50, True]
    lo = np.select(conds, [2, 6, 20, 0.25 * gt])
    hi = np.select(conds, [4, 14, 45, 0.5 * gt])

    # Prepare inner 5 conditions, to match the 5 quality levels.
    diff = df['measured'] - df['ground_truth']
    quality_conds = [diff < -hi-eps, diff < -lo-eps, diff < lo+eps, diff < hi+eps, True]
    df['quality'] = np.select(quality_conds, quality_levels)
    return df