读取 data.txt 文件并借助 jieba 库实现词频统计, 将出现频率最高的 10 个词输出,输入结果如下: 发展:83 就业:39 加强:33 企业:32 疫情:31 建设:31 支持:31 推进:25 经济:24 保障:24
时间: 2023-07-29 14:10:31 浏览: 142
用Python中的jieba对文章进行词频统计
好的,这是一个简单的 Python 代码实现。首先需要安装 jieba 库,可以使用 pip 进行安装。
```python
import jieba
# 读取文件内容
with open('data.txt', 'r', encoding='utf-8') as f:
content = f.read()
# 使用 jieba 分词
words = jieba.cut(content)
# 统计词频
freq_dict = {}
for word in words:
if len(word) > 1:
freq_dict[word] = freq_dict.get(word, 0) + 1
# 找出出现频率最高的 10 个词
top_words = sorted(freq_dict.items(), key=lambda x: x[1], reverse=True)[:10]
# 输出结果
for word, freq in top_words:
print(f"{word}:{freq}")
```
注意,此处假设 `data.txt` 文件已经存在,并且其编码为 utf-8。如果文件不存在或者编码不同,需要进行相应的修改。
阅读全文