python统计单词出现次数最多的5个单词_【Python】统计文本中单词的出现次数前十的单词...
时间: 2023-11-28 09:16:35 浏览: 124
好的,这是一个关于Python统计单词出现次数的问题。以下是一种实现方式:
```python
import re
from collections import Counter
def count_words(text, n):
# 将文本转换为小写
text = text.lower()
# 使用正则表达式分割文本,只保留单词字符
words = re.findall('\w+', text)
# 使用Counter统计每个单词的出现次数
word_counts = Counter(words)
# 返回出现次数排名前n的单词及其出现次数
return word_counts.most_common(n)
# 测试
text = 'Python is a popular programming language. It is used for web development, scientific computing, data analysis, artificial intelligence, and more.'
top_words = count_words(text, 5)
print(top_words)
```
输出结果为:
```
[('is', 2), ('python', 1), ('a', 1), ('popular', 1), ('programming', 1)]
```
这段代码使用了正则表达式分割文本,只保留单词字符,然后使用Counter统计每个单词的出现次数。最后返回出现次数排名前n的单词及其出现次数。
阅读全文