博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
NLP入门(二)探究TF-IDF的原理
阅读量:7221 次
发布时间:2019-06-29

本文共 14432 字,大约阅读时间需要 48 分钟。

TF-IDF介绍

  TF-IDF是NLP中一种常用的统计方法,用以评估一个字词对于一个文件集或一个语料库中的其中一份文件的重要程度,通常用于提取文本的特征,即关键词。字词的重要性随着它在文件中出现的次数成正比增加,但同时会随着它在语料库中出现的频率成反比下降。

  在NLP中,TF-IDF的计算公式如下:

tfidf = tf*idf.

其中,tf是词频(Term Frequency),idf为逆向文件频率(Inverse Document Frequency)。

  tf为词频,即一个词语在文档中的出现频率,假设一个词语在整个文档中出现了i次,而整个文档有N个词语,则tf的值为i/N.
  idf为逆向文件频率,假设整个文档有n篇文章,而一个词语在k篇文章中出现,则idf值为

idf=log2(n/k).

当然,不同地方的idf值计算公式会有稍微的不同。比如有些地方会在分母的k上加1,防止分母为0,还有些地方会让分子,分母都加上1,这是smoothing技巧。在本文中,还是采用最原始的idf值计算公式,因为这与gensim里面的计算公式一致。

  假设整个文档有D篇文章,则单词i在第j篇文章中的tfidf值为

gensim中tfidf的计算公式

  以上就是TF-IDF的计算方法。

文本介绍及预处理

  我们将采用以下三个示例文本:

text1 ="""Football is a family of team sports that involve, to varying degrees, kicking a ball to score a goal. Unqualified, the word football is understood to refer to whichever form of football is the most popular in the regional context in which the word appears. Sports commonly called football in certain places include association football (known as soccer in some countries); gridiron football (specifically American football or Canadian football); Australian rules football; rugby football (either rugby league or rugby union); and Gaelic football. These different variations of football are known as football codes."""text2 = """Basketball is a team sport in which two teams of five players, opposing one another on a rectangular court, compete with the primary objective of shooting a basketball (approximately 9.4 inches (24 cm) in diameter) through the defender's hoop (a basket 18 inches (46 cm) in diameter mounted 10 feet (3.048 m) high to a backboard at each end of the court) while preventing the opposing team from shooting through their own hoop. A field goal is worth two points, unless made from behind the three-point line, when it is worth three. After a foul, timed play stops and the player fouled or designated to shoot a technical foul is given one or more one-point free throws. The team with the most points at the end of the game wins, but if regulation play expires with the score tied, an additional period of play (overtime) is mandated."""text3 = """Volleyball, game played by two teams, usually of six players on a side, in which the players use their hands to bat a ball back and forth over a high net, trying to make the ball touch the court within the opponents’ playing area before it can be returned. To prevent this a player on the opposing team bats the ball up and toward a teammate before it touches the court surface—that teammate may then volley it back across the net or bat it to a third teammate who volleys it across the net. A team is allowed only three touches of the ball before it must be returned over the net."""

这三篇文章分别是关于足球,篮球,排球的介绍,它们组成一篇文档。

  接下来是文本的预处理部分。
  首先是对文本去掉换行符,然后是分句,分词,再去掉其中的标点,完整的Python代码如下,输入的参数为文章text:

import nltkimport string# 文本预处理# 函数:text文件分句,分词,并去掉标点def get_tokens(text):    text = text.replace('\n', '')    sents = nltk.sent_tokenize(text)  # 分句    tokens = []    for sent in sents:        for word in nltk.word_tokenize(sent):  # 分词            if word not in string.punctuation: # 去掉标点                tokens.append(word)    return tokens

  接着,去掉文章中的通用词(stopwords),然后统计每个单词的出现次数,完整的Python代码如下,输入的参数为文章text:

from nltk.corpus import stopwords     #停用词# 对原始的text文件去掉停用词# 生成count字典,即每个单词的出现次数def make_count(text):    tokens = get_tokens(text)    filtered = [w for w in tokens if not w in stopwords.words('english')]    #去掉停用词    count = Counter(filtered)    return count

以text3为例,生成的count字典如下:

Counter({'ball': 4, 'net': 4, 'teammate': 3, 'returned': 2, 'bat': 2, 'court': 2, 'team': 2, 'across': 2, 'touches': 2, 'back': 2, 'players': 2, 'touch': 1, 'must': 1, 'usually': 1, 'side': 1, 'player': 1, 'area': 1, 'Volleyball': 1, 'hands': 1, 'may': 1, 'toward': 1, 'A': 1, 'third': 1, 'two': 1, 'six': 1, 'opposing': 1, 'within': 1, 'prevent': 1, 'allowed': 1, '’': 1, 'playing': 1, 'played': 1, 'volley': 1, 'surface—that': 1, 'volleys': 1, 'opponents': 1, 'use': 1, 'high': 1, 'teams': 1, 'bats': 1, 'To': 1, 'game': 1, 'make': 1, 'forth': 1, 'three': 1, 'trying': 1})

Gensim中的TF-IDF

  对文本进行预处理后,对于以上三个示例文本,我们都会得到一个count字典,里面是每个文本中单词的出现次数。下面,我们将用gensim中的已实现的TF-IDF模型,来输出每篇文章中TF-IDF排名前三的单词及它们的tfidf值,完整的代码如下:

from nltk.corpus import stopwords     #停用词from gensim import corpora, models, matutils#training by gensim's Ifidf Modeldef get_words(text):    tokens = get_tokens(text)    filtered = [w for w in tokens if not w in stopwords.words('english')]    return filtered# get textcount1, count2, count3 = get_words(text1), get_words(text2), get_words(text3)countlist = [count1, count2, count3]# training by TfidfModel in gensimdictionary = corpora.Dictionary(countlist)new_dict = {v:k for k,v in dictionary.token2id.items()}corpus2 = [dictionary.doc2bow(count) for count in countlist]tfidf2 = models.TfidfModel(corpus2)corpus_tfidf = tfidf2[corpus2]# outputprint("\nTraining by gensim Tfidf Model.......\n")for i, doc in enumerate(corpus_tfidf):    print("Top words in document %d"%(i + 1))    sorted_words = sorted(doc, key=lambda x: x[1], reverse=True)    #type=list    for num, score in sorted_words[:3]:        print("    Word: %s, TF-IDF: %s"%(new_dict[num], round(score, 5)))

输出的结果如下:

Training by gensim Tfidf Model.......Top words in document 1    Word: football, TF-IDF: 0.84766    Word: rugby, TF-IDF: 0.21192    Word: known, TF-IDF: 0.14128Top words in document 2    Word: play, TF-IDF: 0.29872    Word: cm, TF-IDF: 0.19915    Word: diameter, TF-IDF: 0.19915Top words in document 3    Word: net, TF-IDF: 0.45775    Word: teammate, TF-IDF: 0.34331    Word: across, TF-IDF: 0.22888

输出的结果还是比较符合我们的预期的,比如关于足球的文章中提取了football, rugby关键词,关于篮球的文章中提取了plat, cm关键词,关于排球的文章中提取了net, teammate关键词。

自己动手实践TF-IDF模型

  有了以上我们对TF-IDF模型的理解,其实我们自己也可以动手实践一把,这是学习算法的最佳方式!

  以下是笔者实践TF-IDF的代码(接文本预处理代码):

import math# 计算tfdef tf(word, count):    return count[word] / sum(count.values())# 计算count_list有多少个文件包含worddef n_containing(word, count_list):    return sum(1 for count in count_list if word in count)# 计算idfdef idf(word, count_list):    return math.log2(len(count_list) / (n_containing(word, count_list)))    #对数以2为底# 计算tf-idfdef tfidf(word, count, count_list):    return tf(word, count) * idf(word, count_list)# TF-IDF测试count1, count2, count3 = make_count(text1), make_count(text2), make_count(text3)countlist = [count1, count2, count3]print("Training by original algorithm......\n")for i, count in enumerate(countlist):    print("Top words in document %d"%(i + 1))    scores = {word: tfidf(word, count, countlist) for word in count}    sorted_words = sorted(scores.items(), key=lambda x: x[1], reverse=True)    #type=list    # sorted_words = matutils.unitvec(sorted_words)    for word, score in sorted_words[:3]:        print("    Word: %s, TF-IDF: %s"%(word, round(score, 5)))

输出结果如下:

Training by original algorithm......Top words in document 1    Word: football, TF-IDF: 0.30677    Word: rugby, TF-IDF: 0.07669    Word: known, TF-IDF: 0.05113Top words in document 2    Word: play, TF-IDF: 0.05283    Word: inches, TF-IDF: 0.03522    Word: worth, TF-IDF: 0.03522Top words in document 3    Word: net, TF-IDF: 0.10226    Word: teammate, TF-IDF: 0.07669    Word: across, TF-IDF: 0.05113

可以看到,笔者自己动手实践的TF-IDF模型提取的关键词与gensim一致,至于篮球中为什么后两个单词不一致,是因为这些单词的tfidf一样,随机选择的结果不同而已。但是有一个问题,那就是计算得到的tfidf值不一样,这是什么原因呢?

  查阅gensim中计算tf-idf值的源代码():

TfidfModel类的参数

normalize参数的说明

也就是说,gensim对得到的tf-idf向量做了规范化(normalize),将其转化为单位向量。因此,我们需要在刚才的代码中加入规范化这一步,代码如下:

import numpy as np# 对向量做规范化, normalizedef unitvec(sorted_words):    lst = [item[1] for item in sorted_words]    L2Norm = math.sqrt(sum(np.array(lst)*np.array(lst)))    unit_vector = [(item[0], item[1]/L2Norm) for item in sorted_words]    return unit_vector# TF-IDF测试count1, count2, count3 = make_count(text1), make_count(text2), make_count(text3)countlist = [count1, count2, count3]print("Training by original algorithm......\n")for i, count in enumerate(countlist):    print("Top words in document %d"%(i + 1))    scores = {word: tfidf(word, count, countlist) for word in count}    sorted_words = sorted(scores.items(), key=lambda x: x[1], reverse=True)    #type=list    sorted_words = unitvec(sorted_words)   # normalize    for word, score in sorted_words[:3]:        print("    Word: %s, TF-IDF: %s"%(word, round(score, 5)))

输出结果如下:

Training by original algorithm......Top words in document 1    Word: football, TF-IDF: 0.84766    Word: rugby, TF-IDF: 0.21192    Word: known, TF-IDF: 0.14128Top words in document 2    Word: play, TF-IDF: 0.29872    Word: shooting, TF-IDF: 0.19915    Word: diameter, TF-IDF: 0.19915Top words in document 3    Word: net, TF-IDF: 0.45775    Word: teammate, TF-IDF: 0.34331    Word: back, TF-IDF: 0.22888

现在的输出结果与gensim得到的结果一致!

总结

  Gensim是Python做NLP时鼎鼎大名的模块,有空还是多读读源码吧!以后,我们还会继续介绍TF-IDF在其它方面的应用,欢迎大家交流~

注意:本人现已开通微信公众号: Python爬虫与算法(微信号为:easy_web_scrape), 欢迎大家关注哦~~

本文的完整代码如下:

import nltkimport mathimport stringfrom nltk.corpus import stopwords     #停用词from collections import Counter       #计数from gensim import corpora, models, matutilstext1 ="""Football is a family of team sports that involve, to varying degrees, kicking a ball to score a goal. Unqualified, the word football is understood to refer to whichever form of football is the most popular in the regional context in which the word appears. Sports commonly called football in certain places include association football (known as soccer in some countries); gridiron football (specifically American football or Canadian football); Australian rules football; rugby football (either rugby league or rugby union); and Gaelic football. These different variations of football are known as football codes."""text2 = """Basketball is a team sport in which two teams of five players, opposing one another on a rectangular court, compete with the primary objective of shooting a basketball (approximately 9.4 inches (24 cm) in diameter) through the defender's hoop (a basket 18 inches (46 cm) in diameter mounted 10 feet (3.048 m) high to a backboard at each end of the court) while preventing the opposing team from shooting through their own hoop. A field goal is worth two points, unless made from behind the three-point line, when it is worth three. After a foul, timed play stops and the player fouled or designated to shoot a technical foul is given one or more one-point free throws. The team with the most points at the end of the game wins, but if regulation play expires with the score tied, an additional period of play (overtime) is mandated."""text3 = """Volleyball, game played by two teams, usually of six players on a side, in which the players use their hands to bat a ball back and forth over a high net, trying to make the ball touch the court within the opponents’ playing area before it can be returned. To prevent this a player on the opposing team bats the ball up and toward a teammate before it touches the court surface—that teammate may then volley it back across the net or bat it to a third teammate who volleys it across the net. A team is allowed only three touches of the ball before it must be returned over the net."""# 文本预处理# 函数:text文件分句,分词,并去掉标点def get_tokens(text):    text = text.replace('\n', '')    sents = nltk.sent_tokenize(text)  # 分句    tokens = []    for sent in sents:        for word in nltk.word_tokenize(sent):  # 分词            if word not in string.punctuation: # 去掉标点                tokens.append(word)    return tokens# 对原始的text文件去掉停用词# 生成count字典,即每个单词的出现次数def make_count(text):    tokens = get_tokens(text)    filtered = [w for w in tokens if not w in stopwords.words('english')]    #去掉停用词    count = Counter(filtered)    return count# 计算tfdef tf(word, count):    return count[word] / sum(count.values())# 计算count_list有多少个文件包含worddef n_containing(word, count_list):    return sum(1 for count in count_list if word in count)# 计算idfdef idf(word, count_list):    return math.log2(len(count_list) / (n_containing(word, count_list)))    #对数以2为底# 计算tf-idfdef tfidf(word, count, count_list):    return tf(word, count) * idf(word, count_list)import numpy as np# 对向量做规范化, normalizedef unitvec(sorted_words):    lst = [item[1] for item in sorted_words]    L2Norm = math.sqrt(sum(np.array(lst)*np.array(lst)))    unit_vector = [(item[0], item[1]/L2Norm) for item in sorted_words]    return unit_vector# TF-IDF测试count1, count2, count3 = make_count(text1), make_count(text2), make_count(text3)countlist = [count1, count2, count3]print("Training by original algorithm......\n")for i, count in enumerate(countlist):    print("Top words in document %d"%(i + 1))    scores = {word: tfidf(word, count, countlist) for word in count}    sorted_words = sorted(scores.items(), key=lambda x: x[1], reverse=True)    #type=list    sorted_words = unitvec(sorted_words)   # normalize    for word, score in sorted_words[:3]:        print("    Word: %s, TF-IDF: %s"%(word, round(score, 5)))#training by gensim's Ifidf Modeldef get_words(text):    tokens = get_tokens(text)    filtered = [w for w in tokens if not w in stopwords.words('english')]    return filtered# get textcount1, count2, count3 = get_words(text1), get_words(text2), get_words(text3)countlist = [count1, count2, count3]# training by TfidfModel in gensimdictionary = corpora.Dictionary(countlist)new_dict = {v:k for k,v in dictionary.token2id.items()}corpus2 = [dictionary.doc2bow(count) for count in countlist]tfidf2 = models.TfidfModel(corpus2)corpus_tfidf = tfidf2[corpus2]# outputprint("\nTraining by gensim Tfidf Model.......\n")for i, doc in enumerate(corpus_tfidf):    print("Top words in document %d"%(i + 1))    sorted_words = sorted(doc, key=lambda x: x[1], reverse=True)    #type=list    for num, score in sorted_words[:3]:        print("    Word: %s, TF-IDF: %s"%(new_dict[num], round(score, 5)))        """输出结果:Training by original algorithm......Top words in document 1    Word: football, TF-IDF: 0.84766    Word: rugby, TF-IDF: 0.21192    Word: word, TF-IDF: 0.14128Top words in document 2    Word: play, TF-IDF: 0.29872    Word: inches, TF-IDF: 0.19915    Word: points, TF-IDF: 0.19915Top words in document 3    Word: net, TF-IDF: 0.45775    Word: teammate, TF-IDF: 0.34331    Word: bat, TF-IDF: 0.22888Training by gensim Tfidf Model.......Top words in document 1    Word: football, TF-IDF: 0.84766    Word: rugby, TF-IDF: 0.21192    Word: known, TF-IDF: 0.14128Top words in document 2    Word: play, TF-IDF: 0.29872    Word: cm, TF-IDF: 0.19915    Word: diameter, TF-IDF: 0.19915Top words in document 3    Word: net, TF-IDF: 0.45775    Word: teammate, TF-IDF: 0.34331    Word: across, TF-IDF: 0.22888"""

转载地址:http://zphym.baihongyu.com/

你可能感兴趣的文章
警惕,大数据已经侵入到你生活的方方面面
查看>>
[python] time 模块 -- 时间显示与程序计时
查看>>
仿QQ聊天工具(Android源码)
查看>>
JMeter做压力测试,先调用第一接口,拿到返回值后去调用第二个接口(入门级)...
查看>>
前嗅ForeSpider脚本教程:基础对象(一)
查看>>
shell命令行下常用快捷键汇总
查看>>
【错误集】之nagios-plugins编译出错
查看>>
电脑文件备份软件
查看>>
php和html混写,遍历出二维关联数组
查看>>
nginx基础应用
查看>>
我的友情链接
查看>>
anrdoid 蓝牙简易发送代码
查看>>
Mac 安装homebrew
查看>>
google io 2014 掠影
查看>>
python socket 服务器和客户端
查看>>
Ext4笔记
查看>>
rman 脚本
查看>>
web前端性能优化指南
查看>>
解密翻译:爱的摩斯密码
查看>>
一天一道Shell练习题2
查看>>