给定-一个包含中文内容的文本文件test.txt,统计该文本文件中出现的所有词 的词频,并根据键盘输入的自然数n,来输出前n个词频最高的词以及词频。
时间: 2024-03-26 20:41:04 浏览: 183
好的,这里是一个示例程序,可以实现你的需求:
```python
import jieba
# 读取文件内容
with open('test.txt', 'r', encoding='utf-8') as f:
text = f.read()
# 分词,并统计词频
words = jieba.lcut(text)
word_freq = {}
for word in words:
if len(word) > 1: # 只统计长度大于1的词
word_freq[word] = word_freq.get(word, 0) + 1
# 根据词频排序,并输出前n个高频词
n = int(input('请输入要输出的高频词数量:'))
sorted_word_freq = sorted(word_freq.items(), key=lambda x: x[1], reverse=True)
for i in range(n):
print('第{}高频词:{},词频:{}'.format(i+1, sorted_word_freq[i][0], sorted_word_freq[i][1]))
```
这个程序首先使用 `jieba.lcut()` 函数对指定的文本文件进行分词,并统计每个词出现的次数。为了方便统计,程序只统计长度大于1的词,并将词频存储在一个字典 `word_freq` 中。接下来,程序根据词频对 `word_freq` 中的词进行排序,并输出前 `n` 个高频词及其词频。在程序运行过程中,会提示用户输入要输出的高频词数量 `n`。
阅读全文