已知有一个正确单词索引表(保存在当前目录下的文件index.txt中,且全为小写字母,按照字典序由小到大排列,每个单词独占一行),编写程序利用该单词表对某一英文文章(保存在当前目录下的另一个文件in.txt中)进行单词正确性检查,若该英文文章中出现的单词(只有连续字母组成)没有出现在单词索引文件中(检查时大小写无关),则将该出错的单词(其中的字母全部转换为小写)输出到当前目录下的另一文件error.txt中,每个单词独占一行,并且以字典序由小到大的顺序输出。 假设: 1、in.txt中的文章有可能没有经过排版,格式有可能杂乱无章,也有可能没有写完整。 2、index.txt中的单词个数不超过1000个,每个单词的长度不超过50个字母。 3、若出错的单词多次出现,则多次输出。
时间: 2024-01-22 14:19:00 浏览: 47
数据集目录,其中 包含 26 个小写字母字符的大图像.rar
以下是Python代码实现,具体注释在代码中:
```python
# 读取单词索引表
with open('index.txt', 'r') as f:
word_list = [line.strip().lower() for line in f]
# 读取英文文章
with open('in.txt', 'r') as f:
text = f.read().lower()
# 提取出所有连续字母组成的单词
import re
word_pattern = re.compile('[a-z]+')
words = word_pattern.findall(text)
# 检查单词正确性并输出错误单词
wrong_words = []
for word in words:
if word not in word_list:
wrong_words.append(word)
# 将错误单词按字典序排序并输出到文件
wrong_words = sorted(list(set(wrong_words)))
with open('error.txt', 'w') as f:
for word in wrong_words:
f.write(word + '\n')
```
阅读全文