排序从文件导入的列表... Python

时间:2012-04-24 16:39:49

标签: python python-2.7

我是python的新手,我希望我不会错过其他地方的修复。我有一个简单的程序,这是我购买的书中的练习练习之一,我遇到了一个问题。我有一个打开文件并将其写入列表的程序。然后,用户可以使用输入更新列表,并且当用户退出时,更新具有最新内容的列表。除排序选项外,一切正常。它显示了文件中的分数,其中包含单引号,并且在程序运行时更新了分数。它根本不对它们进行排序。我已经尝试过许多不同的方法来做到这一点。从长远来看,我确信这并不重要,但我想弄明白。

这是代码

# High Scores
# Demonstrates list methods

scores = []
try:
    text_file = open("scores.txt", "r")
    for line in text_file:
        scores.append(line.rstrip("\n"))

    text_file.close()

except:
    raw_input("Please verify that scores.txt is placed in the correct location and run again")



choice = None
while choice != "0":


    print \
    """
    High Scores Keeper

    0 - Exit
    1 - Show Scores 
    2 - Add a Score
    3 - Delete a Score 
    4 - Sort Scores
    """

    choice = raw_input("Choice: ")
    print

    # exit
    if choice == "0":
        try:
            output_file = open("scores.txt" , "w")
            for i in scores:
                output_file.write(str(i))
                output_file.write("\n")

            output_file.close()
            print "Good-bye"
        except:
            print "Good-bye.error"

    # list high-score table
    elif choice == "1":
        print "High Scores"
        for score in scores:
            print score

    # add a score
    elif choice == "2":
        score = int(raw_input("What score did you get?: "))
        scores.append(score)

    # delete a score
    elif choice == "3":
        score = int(raw_input("Delete which score?: "))
        if score in scores:
            scores.remove(score)
        else:
            print score, "isn't in the high scores list."

    # sort scores
    elif choice == "4":
        scores.sort()
        scores.reverse()
        print scores

    # some unknown choice
    else:
        print "Sorry, but", choice, "isn't a valid choice."


raw_input("\n\nPress the enter key to exit.")

2 个答案:

答案 0 :(得分:5)

当您从文件中添加分数时,您将其添加为字符串:scores.append(line.rstrip("\n"))。但是当你在程序中添加分数时,你将它们作为整数添加:int(raw_input("What score did you get?: "))

当Python对包含字符串和整数的列表进行排序时,它会根据字符顺序对字符串进行排序(所以'1' < '12' < '3'),并分别对整数进行排序,将整数放在字符串之前:

>>> sorted([1, 8, '11', '3', '8'])
[1, 8, '11', '3', '8']

据推测,它会在字符之前和之前打印出单引号,就像它在这里一样(表示它是一个字符串)。

因此,当您在开始时读取文件时,将它们转换为整数,就像读取用户输入时一样。


其他一些提示:

  • scores.sort(reverse=True)将按相反顺序排序,而不必两次浏览列表。
  • 执行except:通常是一个坏主意:这将完全解决程序的任何问题,包括用户点击^C尝试退出,系统内存不足等。你应该except Exception:作为一个包罗万象来获得可以从中恢复的异常但不是那些类型的系统错误,或者当你只想处理某些类型时更具体的异常。

答案 1 :(得分:1)

如果在你的文本文件中每行只有一个分数,最好的方法是在获取这样的输入时将分数更改为整数。

scores = []
try:
    text_file = open("scores.txt", "r")
    for line in text_file:
        scores.append(int(line.strip()))
except:
    text_file.close()

实际上你输入的方式是把你的一些数字作为字符串。处理这些类型问题的最佳方法是在排序之前打印数组并查看它。一切顺利。