Python编程:读取已知文件,从大到小输出单词及其出现的次数,次数一样的单词按字符串比较从小到大排序 【输入样例】in.txt文件里面的数据如下所示: hello world python hello word file number file file 【输出样例】out.txt文件里面的数据如下所示: file 3 hello 2 number 1 python 1 word 1 world 1
时间: 2024-02-22 20:59:10 浏览: 71
以下是 Python 代码实现:
```python
import re
# 打开文件并读取内容
with open('in.txt', 'r') as f:
text = f.read()
# 将文本中的标点符号和换行符替换为空格
text = re.sub(r'[^\w\s]', ' ', text)
# 将文本按空格分割成单词列表
words = text.split()
# 统计每个单词的出现次数
word_count = {}
for word in words:
if word not in word_count:
word_count[word] = 1
else:
word_count[word] += 1
# 按照要求排序并输出结果
sorted_words = sorted(word_count.items(), key=lambda x: (-x[1], x[0]))
with open('out.txt', 'w') as f:
for word, count in sorted_words:
f.write(f'{word} {count}\n')
```
我们首先使用与前一个问题相同的方法读取和处理文本文件。然后,我们使用 `sorted()` 函数对单词计数字典进行排序,按照出现次数从大到小排序,如果出现次数相同,则按照字符串比较从小到大排序。最后,我们将排序后的单词及其出现次数写入到 `out.txt` 文件中。
阅读全文