文章主干来自下面Reference中的博客,我自己进行了增加整理,感谢所有分享知识的大佬们= =
【Given.】20_newsgroups.
数据用的是20_newsgroups语料库,下面是笔者在数据处理过程遇到的一些问题和解决,Python初学者都是泪T T
下面基本都是单词化分词的方法。
实际测试发现似乎没什么意义啊?这里不是很明白。
直接使用sent_tokenize
from sklearn.datasets import fetch_20newsgroups
news = fetch_20newsgroups(subset='train')
X,y = news.data,news.target
text = X[0]
from nltk.tokenize import sent_tokenize
sent_tokenize_list = sent_tokenize(text)
print(sent_tokenize_list)
使用nltk.tokenize.punkt中包含了很多预先训练好的tokenize模型。
from sklearn.datasets import fetch_20newsgroups
news = fetch_20newsgroups(subset='train')
X,y = news.data,news.target
print(X[0])
news = X[0]
from nltk.tokenize import word_tokenize
text='The cat is walking in the bedroom.'
sent_tokenize_list = word_tokenize(text)
print(sent_tokenize_list)
将句子分割成词。首先用正则表达式可以自己完成;如果要利用已有工具,Python NLTK中的word_tokenize(),这个方式就是前文提到的Penn TreeBank语料库所使用的分词方法。听起来是不是很高大上,我是不会告诉你其实它也是正则表达式实现的。分词其实主要干了这么几个事:
中文分词区别比较大,可以采用斯坦福或者ICTCLAS(中科院背景)的方案。2
可参考:【NLP】Python NLTK处理原始文本
New York 会变成 new + york,这个是单词化而不是语块化的问题
【Skip.】对于自己爬虫爬下来的文本(如HTML格式)需要做非文本数据去除。
这一步主要是针对我们用爬虫收集的语料数据,由于爬下来的内容中有很多html的一些标签,需要去掉。少量的非文本内容的可以直接用Python的正则表达式(re)删除, 复杂的则可以用beautifulsoup来去除。另外还有一些特殊的非英文字符(non-alpha),也可以用Python的正则表达式(re)删除。
【Skip.】由于英文文本中可能有拼写错误,因此一般需要进行拼写检查。如果确信我们分析的文本没有拼写问题,可以略去此步。
拼写检查,我们一般用pyenchant类库完成。pyenchant的安装很简单:”pip install pyenchant”即可。
对于一段文本,我们可以用下面的方式去找出拼写错误:
from enchant.checker import SpellChecker
chkr = SpellChecker("en_US")
chkr.set_text("Many peope likee to watch In the Name of People.")
for err in chkr:
print "ERROR:", err.word
输出是:
ERROR: peope
ERROR: likee
找出错误后,我们可以自己来决定是否要改正。当然,我们也可以用pyenchant中的wxSpellCheckerDialog类来用对话框的形式来交互决定是忽略,改正还是全部改正文本中的错误拼写。大家感兴趣的话可以去研究pyenchant的官方文档。
lemmatization在词性标注后效果比较好。
参考:Python自然语言处理(一)–利用NLTK自带方法完成NLP基本任务
from nltk.tokenize import word_tokenize #tokens是句子分词后的结果,同样是句子级的标注
text='The cat is walking in the bedroom.'
sent_tokenize_list = word_tokenize(text)
print(sent_tokenize_list)
pos_tag = nltk.pos_tag(sent_tokenize_list)
print(pos_tag)
Lemmas differ from stems in that a lemma is a canonical form of the word, while a stem may not be a real word.English Stemmers and Lemmatizers
先词形还原后词干提取,归一化不同词性的单词。仅词形还原可能会有复数还原不全的问题。
词干提取(stemming)和词型还原(lemmatization)是英文文本预处理的特色。两者其实有共同点,即都是要找到词的原始形式。只不过词干提取(stemming)会更加激进一点,它在寻找词干的时候可以会得到不是词的词干。比如”imaging”的词干可能得到的是”imag”, 并不是一个词。而词形还原则保守一些,它一般只对能够还原成一个正确的词的词进行处理。个人比较喜欢使用词型还原而不是词干提取。
在实际应用中,一般使用nltk来进行词干提取和词型还原。安装nltk也很简单,”pip install nltk”即可。只不过我们一般需要下载nltk的语料库,可以用下面的代码完成,nltk会弹出对话框选择要下载的内容。选择下载语料库就可以了。
import nltk
nltk.download()
在nltk中,做词干提取的方法有PorterStemmer,LancasterStemmer和SnowballStemmer。个人推荐使用SnowballStemmer。这个类可以处理很多种语言,当然,除了中文。
from nltk.stem import SnowballStemmer
stemmer = SnowballStemmer("english") # Choose a language
stemmer.stem("countries") # Stem a word
输出是”countri”,这个词干并不是一个词。
而如果是做词型还原,则一般可以使用WordNetLemmatizer类,即wordnet词形还原方法,Lemmatization 把一个任何形式的语言词汇还原为一般形式,标记词性的前提下效果比较好。
from nltk.stem import WordNetLemmatizer
wnl = WordNetLemmatizer()
print(wnl.lemmatize('countries'))
输出是”country”,比较符合需求。在实际的英文文本挖掘预处理的时候,建议使用基于wordnet的词形还原就可以了。
在这里有个词干提取和词型还原的demo,如果是这块的新手可以去看看,上手很合适。
PS:另一个demo:1
import nltk
sent1='The cat is walking in the bedroom.'
sent2='A dog was running across the kitchen.'
tokens_1=nltk.word_tokenize(sent1)
print (tokens_1)
stemmer = nltk.stem.PorterStemmer()
stem_1 = [stemmer.stem(t) for t in tokens_1]
print(stem_1)
又另一个demo:3
def get_wordnet_pos(treebank_tag):
if treebank_tag.startswith('J'):
return wordnet.ADJ
elif treebank_tag.startswith('V'):
return wordnet.VERB
elif treebank_tag.startswith('N'):
return wordnet.NOUN
elif treebank_tag.startswith('R'):
return wordnet.ADV
else:
return None
def lemmatize_sentence(sentence):
res = []
lemmatizer = WordNetLemmatizer()
for word, pos in pos_tag(word_tokenize(sentence)):
wordnet_pos = get_wordnet_pos(pos) or wordnet.NOUN
res.append(lemmatizer.lemmatize(word, pos=wordnet_pos))
return res
由于英文单词有大小写之分,我们期望统计时像“Home”和“home”是一个词。因此一般需要将所有的词都转化为小写。这个直接用python的API(.lower())就可以搞定。
在英文文本中有很多无效的词,比如“a”,“to”,一些短词,还有一些标点符号,这些我们不想在文本分析的时候引入,因此需要去掉,这些词就是停用词。个人常用的英文停用词表下载地址在这。当然也有其他版本的停用词表,不过这个版本是我常用的。
在我们用scikit-learn做特征处理的时候,可以通过参数stop_words来引入一个数组作为停用词表。这个方法和前文讲中文停用词的方法相同,这里就不写出代码,大家参考前文即可。
from nltk.corpus import stopwords #去停用词
cachedStopWords = stopwords.words("english")
wordStoped = []
for word in words: #去停用词 words是分句分词后的句子级别处理结果
filtered = [w for w in word if (w not in cachedStopWords)]
wordStoped.append(filtered)
现在我们就可以用scikit-learn来对我们的文本特征进行处理了,在文本挖掘预处理之向量化与Hash Trick中,我们讲到了两种特征处理的方法,向量化与Hash Trick。而向量化是最常用的方法,因为它可以接着进行TF-IDF的特征处理。在文本挖掘预处理之TF-IDF中,我们也讲到了TF-IDF特征处理的方法。
TfidfVectorizer类可以帮助我们完成向量化,TF-IDF和标准化三步。当然,还可以帮我们处理停用词。这部分工作和中文的特征处理也是完全相同的,大家参考前文即可。注:即Reference中1的大佬博客。
有了每段文本的TF-IDF的特征向量,我们就可以利用这些数据建立分类模型,或者聚类模型了,或者进行主题模型的分析。此时的分类聚类模型和之前讲的非自然语言处理的数据分析没有什么两样。因此对应的算法都可以直接使用。
源码下载:下载Preprocessing.py
######################
#!/usr/bin/python
# -*- coding: utf-8 -*-
# By Galo
######################
import os
import nltk
from nltk.corpus import wordnet
from nltk.stem import WordNetLemmatizer #词性还原
from nltk.tokenize import sent_tokenize #分句
from nltk.tokenize import word_tokenize #分词
from nltk.corpus import stopwords #去停用词
from nltk.stem import SnowballStemmer #词干提取
from sklearn.feature_extraction.text import TfidfVectorizer #TFIDF
import chardet #检测编码格式
import re #匹配去标点符号,特殊字符
#nltk.download() #下载nltk的语料库
cachedStopWords = stopwords.words("english") #选用英文停用词词典
def read_files(path):
# 读取语料文件夹下所有文件内容(此处为二进制文件)
# 所有文件内文本组合成一个string存入all_text
files= os.listdir(path) # 得到文件夹下的所有文件名称
all_text = ""
for file in files: # 遍历文件夹
if not os.path.isdir(file): # 判断是否是文件夹,不是文件夹才打开
with open(path+"/"+file, "rb") as f: # 二进制格式文件参数为rb
text = f.read()
encode_type = chardet.detect(text) # 检测编码格式
if encode_type['encoding'] != None: # 排除不能解码的情况
text = text.decode(encode_type['encoding']) # 进行相应解码,赋给原标识符(变量)
print(file,'done.') # 标识文件读取完毕
all_text = all_text + text
return all_text
'''
#这一部分先分句后分词,后来实测没啥用好像,因为数据结构变复杂,所以舍弃了
sentences = sent_tokenize(atheism)
#分句,将文本拆分成句子级别
with open('C:\\Users\\Administrator\\Desktop\\Preprocessing\\sentences_atheism_sent_tokenize.txt', 'w',encoding='utf-8') as f:
for sentence in sentences:
f.write(str(sentence))
print('Sentences written.')
words = []
for sentence in sentences:
sentence = re.sub("[+:\.\!\/_,$%^*(+\"\'<>]+|[+——!,。?、~@#¥%……&*()]+", " ", sentence)
#去标点
words.append(word_tokenize(sentence))
#分词,对句子进行分词,tokenize的分词是句子级别的,需要对文本先进行分句,否则效果会很差???没看出效果有差啊
with open('C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize.txt', 'w',encoding='utf-8') as f:
for word in words:
f.write(str(word))
print('Words written.')
wordStoped = []
for word in words: #去停用词
filtered = [w.lower() for w in word if (w.lower() not in cachedStopWords and len(w) > 2)]
#去停用词+去长度小于3的单词+小写化
wordStoped.append(filtered)
with open('C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped.txt', 'w',encoding='utf-8') as f:
for wordSt in wordStoped:
f.write(str(wordSt))
print('WordsStopped written.')
'''
def word_tokenize_stopwords_removal(all_text):
# 对整个文本进行分词,这里为不分句直接分词,并去停用词、标点、特殊字符、带符号单词
# 返回处理结果list:word_stopped
# atheism = re.sub("[+:\.\!\/_,$%^*(+\"\'<>=]+|[+——!,。?、~@#¥%……&*()]+", " ", atheism)
# words = word_tokenize(atheism)
# 分词前去掉符号标点和特殊字符,转化为空格,也可以先分词再去掉含标点的词,后者去掉的东西更多,这里采取后一种
words = [word for word in word_tokenize(all_text) if (str.isalpha(word) is not False)]
# 分词,同时直接去掉所有带符号的词,如邮箱后缀、hyphen连词、缩写等
path_word_tokenize = 'C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize.txt'
# 存放上述分词处理结果的文本路径
with open(path_word_tokenize, 'w',encoding='utf-8') as f:
f.write(str(words))
print('Words written.')
word_stopped = [w.lower() for w in words if (w.lower() not in cachedStopWords and len(w) > 2 and str.isalpha(w) is not False)]
# 小写化后去停用词+去长度小于3的单词+去数字和包含符号的单词如 2-year
path_word_tokenize_stopped = 'C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped.txt'
# 存放上述去停用词处理结果的文本路径
with open(path_word_tokenize_stopped, 'w', encoding='utf-8') as f:
f.write(str(word_stopped))
print('WordsStopped written.')
return word_stopped
def word_pos_tags(word_stopped):
# 词性标注,返回以单词+词性标注为元组的list: pos_tags
pos_tags = nltk.pos_tag(word_stopped)
path_word_tokenize_stopped_pos_tag = \
'C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped_postag.txt'
# 存放词性标注处理结果的文本路径
with open(path_word_tokenize_stopped_pos_tag, 'w', encoding='utf-8') as f:
f.write(str(pos_tags))
print('Pos_tags written.')
return pos_tags
def get_wordnet_pos(treebank_tag):
# 词性标注提取
if treebank_tag.startswith('J'):
return wordnet.ADJ
elif treebank_tag.startswith('V'):
return wordnet.VERB
elif treebank_tag.startswith('N'):
return wordnet.NOUN
elif treebank_tag.startswith('R'):
return wordnet.ADV
else:
return None
def lemmatize_string(pos_tags):
# 词形还原后词干提取函数,返回还原后的单词list: res
res = []
lemmatizer = WordNetLemmatizer() # 初始化词形还原对象
stemmer = SnowballStemmer("english") # 选择语言,初始化词干提取对象
for word, pos in pos_tags:
wordnet_pos = get_wordnet_pos(pos) or wordnet.NOUN
res.append(stemmer.stem(lemmatizer.lemmatize(word, pos=wordnet_pos)))
return res
def do_lemma_stemmer(pos_tags):
# 进行词形还原和词干提取,并输出记录结果
# 返回仅由空格分隔单词的纯文本,即一个string的list: wordLemmatizedStemmeredWordOnly
word_lemmatized_stemmered = lemmatize_string(pos_tags)
path_word_tokenize_stopped_postag_lemmatized_stemmered_wordonly = \
'C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped_postag_lemmatized_stemmered_wordonly.txt'
# 存放词形还原和词干提取处理结果的文本路径
with open(path_word_tokenize_stopped_postag_lemmatized_stemmered_wordonly, 'w', encoding='utf-8') as f:
for word in word_lemmatized_stemmered:
#sklearn中TFIDF计算需要的格式是仅由空格分隔单词的纯文本
f.write(str(word))
f.write(str(' '))
print("WordLemmatized&Stemmered written.")
word_lemmatized_stemmered_wordonly = [] # 重读出所需格式文本
with open('C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped_postag_lemmatized_stemmered_wordonly.txt', 'r',encoding='utf-8') as f:
word_lemmatized_stemmered_wordonly.append(f.read())
return word_lemmatized_stemmered_wordonly
def TFIDF(word_lemmatized_stemmered_wordonly):
# TFIDF计算
tf_idf = TfidfVectorizer() # 初始化对象
tf_data = tf_idf.fit_transform(word_lemmatized_stemmered_wordonly) # 计算TFIDF值
words = tf_idf.get_feature_names() # 取出所统计单词项
TFIDF = dict() # 创建空字典
path_TFIDF = 'C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped_postag_lemmatized_stemmered_TFIDF.txt'
path_TFIDF_sorted = 'C:\\Users\\Administrator\\Desktop\\Preprocessing\\words_atheism_word_tokenize_Stopped_postag_lemmatized_stemmered_TFIDF_sorted.txt'
with open(path_TFIDF, 'w', encoding='utf-8') as f:
# 向文件写入TFIDF值
for i in range(len(word_lemmatized_stemmered_wordonly)):
for j in range(len(words)):
if tf_data[i, j] > 1e-5:
f.write(words[j] + ':' + str(tf_data[i, j]))
f.write('\n')
TFIDF[str(words[j])] = tf_data[i, j]
print("TFIDF written.")
TFIDFSorted = sorted(TFIDF.items(), key=lambda e: e[1], reverse=True)
# 按TFIDF值大小排序
with open(path_TFIDF_sorted, 'w', encoding='utf-8') as f:
# 向文件写入排序后的TFIDF值
for key in TFIDFSorted:
f.write(str(key))
f.write('\n')
print("TFIDF sorted written.")
return
if __name__ == '__main__':
path = "C:\\Users\\Administrator\\Desktop\\Preprocessing\\20news-19997\\20_newsgroups\\alt.atheism"
# 待处理语料文件夹目录
atheism = read_files(path)
stopped_words = word_tokenize_stopwords_removal(atheism)
pos_tags_word = word_pos_tags(stopped_words)
TFIDF(do_lemma_stemmer(pos_tags_word))
英文文本挖掘预处理流程总结
A General Approach to Preprocessing Text Data