使用熊猫中的组内的多个条件检查值是否存在

时间:2018-10-06 15:14:54

标签: python pandas numpy

以下是我的数据框的外观。 Expected_Output是我想要的/目标列。

   Group  Value1  Value2  Expected_Output
0      1       3       9             True
1      1       7       6             True
2      1       9       7             True
3      2       3       8            False
4      2       8       5            False
5      2       7       6            False

如果在给定的Value1 == 7任何 Value2 == 9 并且如果任何 Group,则我想要返回True

我试图无济于事:

df['Expected_Output']= df.groupby('Group').Value1.isin(7) &  df.groupby('Group').Value2.isin(9)

N.B:-可以输出True / False或1/0。

2 个答案:

答案 0 :(得分:2)

groupby列上使用Group,然后将transformlambda function用作:

g = df.groupby('Group')
df['Expected'] = (g['Value1'].transform(lambda x: x.eq(7).any()))&(g['Value2'].transform(lambda x: x.eq(9).any()))

或者使用groupbyapplymergehow='left'作为参数:

df.merge(df.groupby('Group').apply(lambda x: x['Value1'].eq(7).any()&x['Value2'].eq(9).any()).reset_index(),how='left').rename(columns={0:'Expected_Output'})

或将groupbyapplymap用作:

df['Expected_Output'] = df['Group'].map(df.groupby('Group').apply(lambda x: x['Value1'].eq(7).any()&x['Value2'].eq(9).any()))

print(df)
   Group  Value1  Value2  Expected_Output
0      1       3       9             True
1      1       7       6             True
2      1       9       7             True
3      2       3       8            False
4      2       8       5            False
5      2       7       6            False

答案 1 :(得分:1)

您可以按组创建预期结果的数据框,然后将其合并回原始数据框。

expected = (
    df.groupby('Group')
    .apply(lambda x: (x['Value1'].eq(7).any() 
                      & x['Value2'].eq(9)).any())
    .to_frame('Expected_Output'))
>>> expected
       Expected_Output
Group                 
1                 True
2                False

>>> df.merge(expected, left_on='Group', right_index=True)
   Group  Value1  Value2  Expected_Output
0      1       3       9             True
1      1       7       6             True
2      1       9       7             True
3      2       3       8            False
4      2       8       5            False
5      2       7       6            False