程序统计字符串st中每个单词出现的次数,并输出排在前五的单词及出现的次数python
时间: 2023-11-16 18:06:49 浏览: 100
可以使用Python中的字典来实现统计单词出现次数的功能。具体实现步骤如下:
1. 将字符串st按照空格分割成单词列表words。
2. 遍历单词列表words,对于每个单词,如果它已经在字典中,则将其对应的值加一,否则将其添加到字典中并将值初始化为1。
3. 对字典按照值从大到小进行排序,并输出前五个元素。
代码如下:
```python
st = "This is a test string for testing string operations"
words = st.split()
# 统计每个单词出现的次数
word_count = {}
for word in words:
if word in word_count:
word_count[word] += 1
else:
word_count[word] = 1
# 按照单词出现的次数排序
sorted_word_count = sorted(word_count.items(), key=lambda x: x[1], reverse=True)
# 输出前五个单词及出现的次数
for i in range(5):
print(sorted_word_count[i][0], sorted_word_count[i][1])
```
输出结果如下:
```
string 2
This 1
is 1
a 1
test 1
```
阅读全文