我是python的新手,我不知道如何解决以下问题:
我有两个数据帧,并且我想使用某种VLOOKUP函数,该函数将使带有特定关键字的句子匹配。在下面的示例中,(df1)3e句子应与香蕉(df2)匹配,因为该句子中包含香蕉。
import pandas as pd
df1 = pd.DataFrame({'Text': ['Some text 1', 'Some text 2','The monkey eats a banana','Some text 4']})
df2 = pd.DataFrame({'Keyword': ['apple', 'banana', 'chicken'], 'Type': ['fruit', 'fruit', 'meat']})
df1
Text
0 Some text 1
1 Some text 2
2 The monkey eats a banana
3 Some text 4
df2
Keyword Type
0 apple fruit
1 banana fruit
2 chicken meat
因此,更好的结果是:
Text Type
0 Some text 1 -
1 Some text 2 -
2 The monkey eats a banana fruit
3 Some text 4 -
我已经尝试过使用merge和str.contains函数,但是问题是香蕉在句子中不是一个独立的值。
答案 0 :(得分:2)
使用extract
作为关键字,并使用map
将提取的“关键字”映射为“类型”。
import re
p = rf"({'|'.join(map(re.escape, df2['Keyword']))})"
# p = '(' + '|'.join(map(re.escape, df2['Keyword'])) + ')'
df1['Type'] = (
df1['Text'].str.extract(p, expand=False).map(df2.set_index('Keyword')['Type']))
df1
Text Type
0 Some text 1 NaN
1 Some text 2 NaN
2 The monkey eats a banana fruit
3 Some text 4 NaN
在哪里
p
# '(apple|banana|chicken)'