读取文本文件并将单词作为排序列表

时间:2018-12-18 22:02:10

标签: python python-3.x

对于Python 3中的作业,我需要创建一个程序来执行以下操作:

  1. 打开用户选择的文本文件
  2. 将文本文件中的所有单词添加到列表中
  3. 对列表中的单词进行排序
  4. 打印符合期望结果的排序列表

我拥有的代码将对列表进行排序,但不会将列表降级到所需的结果。文本文件是罗密欧与朱丽叶的独白的前四行。

fname = input("Enter file name: ")
fh = open(fname)
lst = list()
for line in fh:
    line = line.rstrip()
    words = line.split()
    for word in words:
        lst.append(word)
lst.sort()
print(lst)

所需的结果是:

['Arise', 'But', 'It', 'Juliet', 'Who', 'already', 'and', 'breaks', 'east', 'envious', 'fair', 'grief', 'is', 'kill', 'light', 'moon', 'pale', 'sick', 'soft', 'sun', 'the', 'through', 'what', 'window', 'with', 'yonder']

但是通过我的代码,我得到了重复的单词:

['Arise', 'But', 'It', 'Juliet', 'Who', 'already', 'and', 'and', 'and', 'breaks', 'east', 'envious', 'fair', 'grief', 'is', 'is', 'is', 'kill', 'light', 'moon', 'pale', 'sick', 'soft', 'sun', 'sun', 'the', 'the', 'the', 'through', 'what', 'window', 'with', 'yonder']

如何删除列表中的重复数据?

3 个答案:

答案 0 :(得分:2)

有几种方法可以执行此操作。您可以检查单词是否已经在列表中,并且仅在单词不在列表中时追加:

for word in words:
    if word not in lst:
        lst.append(word)
lst.sort()

如果单词已经在列表中,则您什么都不做,所以我认为这就是您所需要的。

您还可以将列表转换为集合(集合只能包含其包含的每个唯一值的单个实例)。那种笨拙的事情是,然后您需要将其转换回列表以对其进行排序(尽管没有其他库为您提供排序选项,但集合本质上是未排序的),并与所需的输出格式匹配(我假设他们需要一个 list 输出):

for word in words:
    lst.append(word)
lst = sorted(set(lst))  # convert to set and sort in one line. Returns a list.

我认为第一个选项似乎更能说明您可能希望从这项作业中学到什么。

答案 1 :(得分:2)

使用set代替列表来收集单词。最后,转换为列表并排序

fname = input("Enter file name: ")
words = set()
with open(fname) as fh:
    for line in fh:
        line = line.rstrip()
        words.update(set(line.split()))

words_list = sorted(list(words))
print(words_list)

答案 2 :(得分:0)

一种可能是使用set,也许像这样:

filename = input("Enter file name: ")
words = set()

with open(filename) as f:
    for line in f:
        line = line.strip()
        if len(line) > 0:
            for w in line.split()
                w = w.strip()
                if len(w) > 0:
                    words.add(w)

print(words)
sorted_words = list(sorted(words))
print(sorted_words)