Nel*_*uki 7 python nlp data-cleaning spacy python-3.7
我正在清理我的data frameSumcription 中的一个列,并尝试做 3 件事:
删除停用词
import spacy
nlp = spacy.load('en_core_web_sm', parser=False, entity=False)
df['Tokens'] = df.Sumcription.apply(lambda x: nlp(x))
spacy_stopwords = spacy.lang.en.stop_words.STOP_WORDS
spacy_stopwords.add('attach')
df['Lema_Token'] = df.Tokens.apply(lambda x: " ".join([token.lemma_ for token in x if token not in spacy_stopwords]))
Run Code Online (Sandbox Code Playgroud)但是,当我打印例如:
df.Lema_Token.iloc[8]
Run Code Online (Sandbox Code Playgroud)
输出中仍然包含单词 attach :
attach poster on the wall because it is cool
为什么它不删除停用词?
我也试过这个:
df['Lema_Token_Test'] = df.Tokens.apply(lambda x: [token.lemma_ for token in x if token not in spacy_stopwords])
Run Code Online (Sandbox Code Playgroud)
但是 strattach仍然出现。
import spacy
import pandas as pd
# Load spacy model
nlp = spacy.load('en', parser=False, entity=False)
# New stop words list
customize_stop_words = [
'attach'
]
# Mark them as stop words
for w in customize_stop_words:
nlp.vocab[w].is_stop = True
# Test data
df = pd.DataFrame( {'Sumcription': ["attach poster on the wall because it is cool",
"eating and sleeping"]})
# Convert each row into spacy document and return the lemma of the tokens in
# the document if it is not a sotp word. Finally join the lemmas into as a string
df['Sumcription_lema'] = df.Sumcription.apply(lambda text:
" ".join(token.lemma_ for token in nlp(text)
if not token.is_stop))
print (df)
Run Code Online (Sandbox Code Playgroud)
输出:
Sumcription Sumcription_lema
0 attach poster on the wall because it is cool poster wall cool
1 eating and sleeping eat sleep
Run Code Online (Sandbox Code Playgroud)