已知字符串words中存放了若干以空格分隔的单词,如words=’hello python hello world hello china good china’,统计每个单词出现的次数。
时间: 2023-12-03 12:43:37 浏览: 138
Python统计单词出现的次数
可以使用Python中的字典来实现单词计数,具体实现如下:
```python
words = 'hello python hello world hello china good china'
word_list = words.split() # 将字符串按空格分割成单词列表
word_count = {} # 用字典存储单词计数结果
for word in word_list:
if word in word_count:
word_count[word] += 1
else:
word_count[word] = 1
print(word_count)
```
运行结果如下:
```
{'hello': 3, 'python': 1, 'world': 1, 'china': 2, 'good': 1}
```
其中,字典`word_count`的键为单词,值为该单词出现的次数。在循环中,如果单词已经在字典中存在,则将该单词对应的值加1;否则,将该单词加入字典并将其值设为1。最终输出字典即可。
阅读全文