python文本分析与挖掘(三)-词频统计

实现功能:

前一篇文章我介绍了文本分析与挖掘的第一步和第二步(具体可参加前两篇文章),即构建语料库和中文分词,这篇文章将在此基础上进行词频统计。

实现代码:

import os
from warnings import simplefilter
simplefilter(action='ignore', category=FutureWarning)
import os.path
import codecs
import pandas
import jieba
import numpy as np
#==========词料库构建===============
def Create_corpus(file):
    filePaths = []
    fileContents=[]
    for root, dirs, files in os.walk(file):
        # os.path.join()方法拼接文件名返回所有文件的路径,并储存在变量filePaths中
        for name in files:
            filePath=os.path.join(root, name)
            filePaths.append(filePath)
            f = codecs.open(filePath, 'r', 'utf-8')
            fileContent = f.read()
            f.close()
            fileContents.append(fileContent)
    #codecs.open()方法打开每个文件,用文件的read()方法依次读取其中的文本,将所有文本内容依次储存到变量fileContenst中,然后close()方法关闭文件。
    #创建数据框corpos,添加filePaths和fileContents两个变量作为数组
    corpos = pandas.DataFrame({'filePath': filePaths,'fileContent': fileContents})
    return corpos

#============中文分词===============
def Word_segmentation(corpos):
    segments = []
    filePaths = []
    #遍历语料库的每一行数据,得到的row为一个个Series,index为key
    for index, row in corpos.iterrows():
        filePath = row['filePath']#获取每一个row中filePath对应的文件路径
        fileContent = row['fileContent']#获取row中fileContent对应的每一个文本内容
        segs = jieba.cut(fileContent)#对文本进行分词
        for seg in segs:
            segments.append(seg)#分词结果保存到变量segments中
            filePaths.append(filePath)#对应的文件路径保存到变量filepaths中
    #将分词结果及对应文件路径添加到数据框中
    segmentDataFrame = pandas.DataFrame({'segment': segments,'filePath': filePaths})
    print(segmentDataFrame)
    return segmentDataFrame

#===============词频统计================
def Word_frequency(segmentDataFrame):
    segStat = segmentDataFrame.groupby(by="segment")["segment"].agg([("计数",np.size)]).reset_index().sort_values(by=["计数"],ascending=False)  #对单个词进行分组计数,重置索引,并将计数列按照倒序排序。
    print(segStat)
    #移除停用词
    stopwords = pandas.read_csv(r"F:\医学大数据课题\AI_SLE\AI_SLE_TWO\userdict.txt", encoding='utf8', index_col=False)
    print(stopwords)
    #导入停用词文件,.isin()判断某个词是否在停用词中,~表示取反,这样就过滤掉了停用词了
    fSegStat = segStat[~segStat['segment'].isin(stopwords['stopword'])]
    print(fSegStat)

corpos=Create_corpus("F:\医学大数据课题\AI_SLE\AI_SLE_TWO\TEST_DATA")
segmentDataFrame=Word_segmentation(corpos)
Word_frequency(segmentDataFrame)

实现效果:

中文分词结果:

python文本分析与挖掘(三)-词频统计_第1张图片

 单个词分组计数:

python文本分析与挖掘(三)-词频统计_第2张图片

停用词:

python文本分析与挖掘(三)-词频统计_第3张图片 

过滤停用词分组计数:

python文本分析与挖掘(三)-词频统计_第4张图片 

 

喜欢记得点赞,在看,收藏,

关注V订阅号:数据杂坛,获取数据集,完整代码和效果,将持续更新!

python文本分析与挖掘(三)-词频统计_第5张图片

你可能感兴趣的:(文本分析,python,中文分词,数据挖掘)