我使用 pygame 在 python 中制作了一个非常简单的游戏。分数基于玩家达到的任何级别。我将级别作为变量称为score
. 我想在游戏开始或结束时显示顶层。
我会更乐意显示多个分数,但是我看到的所有其他线程都太复杂了,我无法理解,所以请保持简单:我是初学者,只需要一个分数。
我使用 pygame 在 python 中制作了一个非常简单的游戏。分数基于玩家达到的任何级别。我将级别作为变量称为score
. 我想在游戏开始或结束时显示顶层。
我会更乐意显示多个分数,但是我看到的所有其他线程都太复杂了,我无法理解,所以请保持简单:我是初学者,只需要一个分数。
我建议你使用shelve。例如:
import shelve
d = shelve.open('score.txt') # here you will save the score variable
d['score'] = score # thats all, now it is saved on disk.
d.close()
下次打开程序时使用:
import shelve
d = shelve.open('score.txt')
score = d['score'] # the score is read from disk
d.close()
它将从磁盘中读取。如果您想以同样的方式使用此技术来保存分数列表。
您可以使用该pickle
模块将变量保存到磁盘,然后重新加载它们。
例子:
import pickle
# load the previous score if it exists
try:
with open('score.dat', 'rb') as file:
score = pickle.load(file)
except:
score = 0
print "High score: %d" % score
# your game code goes here
# let's say the user scores a new high-score of 10
score = 10;
# save the score
with open('score.dat', 'wb') as file:
pickle.dump(score, file)
这会将单个乐谱保存到磁盘。pickle 的好处是您可以轻松扩展它以保存多个分数 - 只需更改scores
为数组而不是单个值。pickle
几乎可以保存你扔给它的任何类型的变量。
您可以使用 dict 来保存您的高分并将其写入文件:
def store_highscore_in_file(dictionary, fn = "./high.txt", top_n=0):
"""Store the dict into a file, only store top_n highest values."""
with open(fn,"w") as f:
for idx,(name,pts) in enumerate(sorted(dictionary.items(), key= lambda x:-x[1])):
f.write(f"{name}:{pts}\n")
if top_n and idx == top_n-1:
break
def load_highscore_from_file(fn = "./high.txt"):
"""Retrieve dict from file"""
hs = {}
try:
with open(fn,"r") as f:
for line in f:
name,_,points = line.partition(":")
if name and points:
hs[name]=int(points)
except FileNotFoundError:
return {}
return hs
用法:
# file does not exist
k = load_highscore_from_file()
print(k)
# add some highscores to dict
k["p"]=10
k["a"]=110
k["k"]=1110
k["l"]=1022
print(k)
# store file, only top 3
store_highscore_in_file(k, top_n=3)
# load back into new dict
kk = load_highscore_from_file()
print(kk)
输出:
{} # no file
{'p': 10, 'a': 110, 'k': 1110, 'l': 1022} # before storing top 3
{'k': 1110, 'l': 1022, 'a': 110} # after loading the top 3 file again
首先创建一个初始值为 0 的 highscore.txt。然后使用以下代码:
hisc=open("highscore.txt","w+")
highscore=hisc.read()
highscore_in_no=int(highscore)
if current_score>highscore_in_no:
hisc.write(str(current_score))
highscore_in_no=current_score
.
.
#use the highscore_in_no to print the highscore.
.
.
hisc.close()
我可以用这个简单的方法制作一个永久的高分储存器,不需要架子或泡菜。
我通常将玩家姓名和高分存储为列表列表(例如[['Joe', 50], ['Sarah', 230], ['Carl', 120]]
),因为您可以对它们进行排序和切片(例如,如果最多应该有 10 个条目)。json
您可以使用模块 ( json.dump
and json.load
) 或 pickle保存和加载列表。
import json
from operator import itemgetter
import pygame as pg
from pygame import freetype
pg.init()
BG_COLOR = pg.Color('gray12')
BLUE = pg.Color('dodgerblue')
FONT = freetype.Font(None, 24)
def save(highscores):
with open('highscores.json', 'w') as file:
json.dump(highscores, file) # Write the list to the json file.
def load():
try:
with open('highscores.json', 'r') as file:
highscores = json.load(file) # Read the json file.
except FileNotFoundError:
return [] # Return an empty list if the file doesn't exist.
# Sorted by the score.
return sorted(highscores, key=itemgetter(1), reverse=True)
def main():
screen = pg.display.set_mode((640, 480))
clock = pg.time.Clock()
highscores = load() # Load the json file.
while True:
for event in pg.event.get():
if event.type == pg.QUIT:
return
elif event.type == pg.KEYDOWN:
if event.key == pg.K_s:
# Save the sorted the list when 's' is pressed.
# Append a new high-score (omitted in this example).
# highscores.append([name, score])
save(sorted(highscores, key=itemgetter(1), reverse=True))
screen.fill((30, 30, 50))
# Display the high-scores.
for y, (hi_name, hi_score) in enumerate(highscores):
FONT.render_to(screen, (100, y*30+40), f'{hi_name} {hi_score}', BLUE)
pg.display.flip()
clock.tick(60)
if __name__ == '__main__':
main()
pg.quit()
该highscores.json
文件将如下所示:
[["Sarah", 230], ["Carl", 120], ["Joe", 50]]
我会建议:
def add():
input_file=open("name.txt","a")#this opens up the file
name=input("enter your username: ")#this input asks the user to enter their username
score=input("enter your score: ")#this is another input that asks user for their score
print(name,file=input_file)
print(number,file=input_file)#it prints out the users name and is the commas and speech marks is what is also going to print before the score number is going to print
input_file.close()