s=’it is the best of time to learn python,python is easy to learn ’ 计算字符串中每个单词出现的次数
时间: 2024-03-25 09:38:06 浏览: 179
Python统计单词出现的次数
好的,可以使用 Python 中的字典来统计每个单词出现的次数,具体代码如下:
```python
s = 'it is the best of time to learn python,python is easy to learn'
words = s.split() # 将字符串按空格分割成单词列表
word_counts = {} # 用字典来存储每个单词出现的次数
for word in words:
if word in word_counts:
word_counts[word] += 1
else:
word_counts[word] = 1
print(word_counts)
```
运行以上代码,会输出每个单词出现的次数,例如:
```
{'it': 1, 'is': 1, 'the': 1, 'best': 1, 'of': 1, 'time': 1, 'to': 1, 'learn': 2, 'python,python': 1, 'easy': 1}
```
注意,由于字符串中出现了两次 "python",所以统计结果中的 "python,python" 表示这两次出现的 "python" 是一个单词。如果需要将其拆分成两个单词,可以在分割单词的时候将逗号也作为分隔符。
阅读全文