Python - Text Processing - Tutorialspoint on Python Filter Duplicate Words

many times, we have a need of analysing the text only for the unique words present in the file. so, we need to eliminate the duplicate words from the text. this is achieved by using the word tokenization and set functions available in nltk.

without preserving the order

in the below example we first tokenize the sentence into words. then we apply set() function which creates an unordered collection of unique elements. the result has unique words which are not ordered.

import nltk
word_data = "the sky is blue also the ocean is blue also rainbow has a blue colour." 

# first word tokenization
nltk_tokens = nltk.word_tokenize(word_data)

# applying set
no_order = list(set(nltk_tokens))

print no_order

when we run the above program, we get the following output −

['blue', 'rainbow', 'is', 'sky', 'colour', 'ocean', 'also', 'a', '.', 'the', 'has', 'the']

preserving the order

to get the words after removing the duplicates but still preserving the order of the words in the sentence, we read the words and add it to list by appending it.

import nltk
word_data = "the sky is blue also the ocean is blue also rainbow has a blue colour." 
# first word tokenization
nltk_tokens = nltk.word_tokenize(word_data)

ordered_tokens = set()
result = []
for word in nltk_tokens:
    if word not in ordered_tokens:
        ordered_tokens.add(word)
        result.append(word)
     
print result        

when we run the above program, we get the following output −

['the', 'sky', 'is', 'blue', 'also', 'the', 'ocean', 'rainbow', 'has', 'a', 'colour', '.']
Completed Course