Reputation: 969
I have a data frame as below.
ID Word Synonyms
------------------------
1 drove drive
2 office downtown
3 everyday daily
4 day daily
5 work downtown
I'm reading a sentence and would like to replace words in that sentence with their synonyms as defined above. Here is my code:
import nltk
import pandas as pd
import string
sdf = pd.read_excel('C:\synonyms.xlsx')
sd = sdf.apply(lambda x: x.astype(str).str.lower())
words = 'i drove to office everyday in my car'
#######
def tokenize(text):
text = ''.join([ch for ch in text if ch not in string.punctuation])
tokens = nltk.word_tokenize(text)
synonym = synonyms(tokens)
return synonym
def synonyms(words):
for word in words:
if(sd[sd['Word'] == word].index.tolist()):
idx = sd[sd['Word'] == word].index.tolist()
word = sd.loc[idx]['Synonyms'].item()
else:
word
return word
print(tokenize(words))
The code above tokenizes the input sentence. I would like to achieve the following output:
In: i drove to office everyday in my car
Out: i drive to downtown daily in my car
But the output I get is
Out: car
If I skip the synonyms
function, then my output has no issues and is split into individual words. I am trying to understand what I'm doing wrong in the synonyms
function. Also, please advise if there is a better solution to this problem.
Upvotes: 1
Views: 2017
Reputation: 15240
I would take advantage of Pandas/NumPy indexing. Since your synonym mapping is many-to-one, you can re-index using the Word
column.
sd = sd.applymap(str.strip).applymap(str.lower).set_index('Word').Synonyms
print(sd)
Word
drove drive
office downtown
everyday daily
day daily
Name: Synonyms, dtype: object
Then, you can easily align a list of tokens to their respective synonyms.
words = nltk.word_tokenize(u'i drove to office everyday in my car')
sentence = sd[words].reset_index()
print(sentence)
Word Synonyms
0 i NaN
1 drove drive
2 to NaN
3 office downtown
4 everyday daily
5 in NaN
6 my NaN
7 car NaN
Now, it remains to use the tokens from Synonyms
, falling back to Word
. This can be achieved with
sentence = sentence.Synonyms.fillna(sentence.Word)
print(sentence.values)
[u'i' 'drive' u'to' 'downtown' 'daily' u'in' u'my' u'car']
Upvotes: 1
Reputation: 9711
import re
import pandas as pd
sdf = pd.read_excel('C:\synonyms.xlsx')
rep = dict(zip(sdf.Word, sdf.Synonyms)) #convert into dictionary
words = "i drove to office everyday in my car"
rep = dict((re.escape(k), v) for k, v in rep.iteritems())
pattern = re.compile("|".join(rep.keys()))
rep = pattern.sub(lambda m: rep[re.escape(m.group(0))], words)
print rep
output
i drive to downtown daily in my car
Courtesy : https://stackoverflow.com/a/6117124/6626530
Upvotes: 0