python pandas列以其他两个列值为条件

时间:2017-03-27 19:48:49

标签: python pandas numpy dataframe conditional

如果一个或另一个列有值,python pandas中是否有一种方法可以应用条件?

对于一列,我知道我可以使用以下代码,如果列标题包含单词" test"则应用测试标记。

df['Test_Flag'] = np.where(df['Title'].str.contains("test|Test"), 'Y', '')

但如果我想说列标题或列字幕是否包含单词" test",请添加测试标记,我该怎么做?

这显然没有用

df['Test_Flag'] = np.where(df['Title'|'Subtitle'].str.contains("test|Test"), 'Y', '')

3 个答案:

答案 0 :(得分:3)

如果很多列然后简化就是创建子集df[['Title', 'Subtitle']]apply contains,因为只适用于Series并且每行检查至少一个True any

mask = df[['Title', 'Subtitle']].apply(lambda x: x.str.contains("test|Test")).any(axis=1)
df['Test_Flag'] = np.where(mask,'Y', '')

样品:

df = pd.DataFrame({'Title':['test','Test','e', 'a'], 'Subtitle':['b','a','Test', 'a']})
mask = df[['Title', 'Subtitle']].apply(lambda x: x.str.contains("test|Test")).any(axis=1)
df['Test_Flag'] = np.where(mask,'Y', '')
print (df)
  Subtitle Title Test_Flag
0        b  test         Y
1        a  Test         Y
2     Test     e         Y
3        a     a          

答案 1 :(得分:3)

pattern = "test|Test"
match = df['Title'].str.contains(pattern) | df['Subtitle'].str.contains(pattern)
df['Test_Flag'] = np.where(match, 'Y', '')

答案 2 :(得分:2)

使用@ jezrael的设置

df = pd.DataFrame(
    {'Title':['test','Test','e', 'a'],
     'Subtitle':['b','a','Test', 'a']})

pandas

您可以stack + str.contains + unstack

import re

df.stack().str.contains('test', flags=re.IGNORECASE).unstack()

  Subtitle  Title
0    False   True
1    False   True
2     True  False
3    False  False

将所有内容与

结合在一起
truth_map = {True: 'Y', False: ''}
truth_flag = df.stack().str.contains(
    'test', flags=re.IGNORECASE).unstack().any(1).map(truth_map)
df.assign(Test_flag=truth_flag)

  Subtitle Title Test_flag
0        b  test         Y
1        a  Test         Y
2     Test     e         Y
3        a     a        

numpy

如果表现是一个问题

v = df.values.astype(str)
low = np.core.defchararray.lower(v)
flg = np.core.defchararray.find(low, 'test') >= 0
ys = np.where(flg.any(1), 'Y', '')
df.assign(Test_flag=ys)

  Subtitle Title Test_flag
0        b  test         Y
1        a  Test         Y
2     Test     e         Y
3        a     a          

天真时间测试

enter image description here