数値を 1 つだけ保持するファイルを作成しようとしています。私が書いているゲームのハイスコア。
私は持っている
f = open('hisc.txt', 'r+')
と
f.write(str(topScore))
私が知りたいのは、次のことです。
- ファイル全体を消去する
- ファイル内の数値を取得し、ゲーム内の変数にします
- topScore がファイル内の数値よりも大きいかどうかを確認し、大きい場合は置き換えます
多分それは私の好みですが、私は初期化時に行うイディオムにはるかに慣れています
f = open('hisc.txt','r')
# do some exception handling so if the file is empty, hiScore is 0 unless you wanted to start with a default higher than 0
hiScore = int(f.read())
f.close()
そして、ゲームの終わりに:
if myScore > hiScore:
f = open('hisc.txt', 'w')
f.write(str(myScore))
f.close()
ファイル全体を消去する
with open('hisc.txt', 'w'):
pass
ファイル内の数値を取得し、ゲーム内の変数にします
with open('hisc.txt', 'r') as f:
highScore = int(f.readline())
topScore がファイル内の数値よりも高いかどうかを確認します
if myScore > highScore:
もしそうなら、それを交換してください
if myScore > highScore:
with open('hisc.txt', 'w') as f:
f.write(str(myScore))
すべてを一緒に入れて:
# UNTESTED
def UpdateScoreFile(myScore):
'''Write myScore in the record books, but only if I've earned it'''
with open('hisc.txt', 'r') as f:
highScore = int(f.readline())
# RACE CONDITION! What if somebody else, with a higher score than ours
# runs UpdateScoreFile() right now?
if myScore > highScore:
with open('hisc.txt', 'w') as f:
f.write(str(myScore))
f = open('hisc.txt', 'w')
f.write('10') # first score
f.close()
highscore = 25 #new highscore
# Open to read and try to parse
f = open('hisc.txt', 'r+')
try:
high = int(f.read())
except:
high = 0
# do the check
if highscore > high:
high = highscore
f.close()
# open to erase and write again
f = open('hisc.txt', 'w')
f.write(str(high))
f.close()
# test
print open('hisc.txt').read()
# prints '25'