作为教程的一部分,我正在尝试修改书中的琐事程序;我需要使用腌制字典保存玩家的姓名和分数。我已经使用单独的程序创建了 dat 文件,以避免从不存在的文件中读取。
这是琐事程序的代码。
#Trivia Challenge
#Trivia game that reads a plain text file
import sys
def open_file(file_name, mode):
"""Open a file"""
try:
the_file = open(file_name, mode)
except IOError as e:
print("Unable to open the file", file_name, "Ending program.\n", e)
input("\n\nPress the enter key to exit.")
sys.exit()
else:
return the_file
def next_line(the_file):
"""Return next line from the trivia file, formatted."""
line = the_file.readline()
line = line.replace("/", "\n")
return line
def next_block(the_file):
"""Return the next block of data from the triva file."""
category = next_line(the_file)
question = next_line(the_file)
answers = []
for i in range(4):
answers.append(next_line(the_file))
correct = next_line(the_file)
if correct:
correct = correct[0]
explanation = next_line(the_file)
value = next_line(the_file)
return category, question, answers, correct, explanation, value
def welcome(title):
"""Welcome the player and get his or her name."""
print("\t\tWelcome to Trivia Challenge!\n")
print("\t\t", title, "\n")
def saving(player_name):
import pickle
f = open("trivia_scores.dat", "rb+")
highscores = pickle.load(f)
if player_name in highscores and score > highscores[player_name]:
highscores[player_name] = score
pickle.dump(highscores, f)
elif player_name not in highscores:
highscores[player_name] = score
pickle.dump(highscores, f)
print("The current high scores are as follows:")
print(highscores)
f.close()
def main():
trivia_file = open_file("trivia.txt", "r")
title = next_line(trivia_file)
welcome(title)
score = 0
#Get the first block
category, question, answers, correct, explanation, value = next_block(trivia_file)
while category:
#Ask a question
print(category)
print(question)
for i in range(4):
print("\t", i + 1, "-", answers[i])
#Get answer
answer = input("What is your answer?: ")
#Check answer
if answer == correct:
print("\nRight!", end=" ")
score += int(value)
else:
print("\nWrong!", end=" ")
print(explanation)
print("Score:", score, "\n\n")
#Get the next block
category, question, answers, correct, explanation, value = next_block(trivia_file)
trivia_file.close()
print("That was the last question!")
print("Your final score is", score)
return score
player_name = input("First, enter your name: ")
main()
saving(player_name)
input("\n\nPress the enter key to exit.")
此时发生同名错误:
def saving(player_name):
import pickle
f = open("trivia_scores.dat", "rb+")
highscores = pickle.load(f)
当问题结束时,程序尝试运行“保存”模块,该模块(理论上)打开 trivia_scores.dat 文件,加载高分字典,检查玩家的名字是否在字典中,以及他们当前的分数是否高于文件中的那个,它会覆盖它。
但是由于某种原因,当程序尝试加载高分字典时,我收到了这个错误消息。
EOFError: Ran out of input
我以前从未见过这个错误。通过一些粗略的谷歌搜索,我得到的印象是它与试图从空文件中读取的程序有关。但这对我来说毫无意义,因为我专门使用不同的程序创建了一个 dat 文件以防止这种情况发生:trivia_scores.dat 不是一个空文件。我什至用 Python Shell 阅读它以确保。
这个错误是什么意思,为什么 Python 不会加载 dat 文件?
背景:我正在阅读的书是 Michael Dawson 的 Python for the Absolute Beginner。这个程序和我试图完成的挑战来自第 7 章。在我添加保存模块之前,程序运行良好。