1

バンド内の特定のプレイヤーが今年のクリスマスに大道芸を楽しめる時期に関する多くのデータを収集するプログラムを作成しようとしていますが、ピクル機能を使ってやりたいことを実行するのに苦労しています...データは次の場所に保存されます以下のクラスのクラスインスタンスPlayer:

import pickle

class Player():
    def __init__(self, name, instrument, availability):
        self.Name=name
        self.Instrument=instrument
        self.Availability=availability

プレーヤーのリストはPlayerList、最初は空のリストとして定義されAddPlayer、プレーヤーの詳細が属性として保存されたクラス インスタンスを初期化する関数を定義しました...

PlayerList=[]

def AddPlayer(PlayerList, name, instrument, availability):
    NewPlayer = Player(name, instrument, availability)
    PlayerList.append(NewPlayer)
    print("Player "+name+" has been added.\n\n")

次に、ユーザーがプログラムを終了したときにプレーヤーのリストを保存する機能があります...

def StartProgram(PlayerList):
    while True:
        choice=input("Would you like to:\n1 Add a Player?\n2 Quit?\n")

        if choice=="1":                
        ## Adds the details of the Player using the above function
            AddPlayer(PlayerList, "Test Player", "Instrument", ["1st Dec AM"])
            StartProgram(PlayerList)

        elif choice=="2":
            file=open("BuskingList.txt", "wb")
            file=open("BuskingList.txt", "ab")            
            def AddToList(PlayerList):
                print("PlayerList: "+str(PlayerList))
                HalfPlayerList=PlayerList[:5]
                ## For some reason, pickle doesn't like me trying to dump a list with more than
                ## 5 values in it, any reason for that?

                for Player in HalfPlayerList:
                    print("Player: "+str(Player))
                    PlayerList.remove(Player)
                    ## Each player removed from original list so it's only added once.

                print("HalfPlayerList: "+str(HalfPlayerList))
                pickle.dump(HalfPlayerList, file)
                if len(PlayerList) !=0:
                    AddToList(PlayerList)
                    ## Recursive function call while there are still players not dumped
            AddToList(PlayerList)
            file.close()
            quit()

        else:
            print("Enter the number 1, 2, or 3.\n")
            StartProgram(PlayerList)

最後に、プログラムの開始時に関数を実行して、すべてのプレーヤーの情報をロードします...

def Start():
    file=open("BuskingList.txt", "rb")
    print("File contains: "+str(file.readlines()))
    PlayerList=[]
    CheckForPlayers=file.read()
    if CheckForPlayers!="":
        file=open("BuskingList.txt", "rb")
        ListOfLists=[]
        for line in file:
            ToAppend=pickle.load(file)
            ListOfLists.append(ToAppend)
        for ListOfPlayers in ListOfLists:
            for Player in ListOfPlayers:
                PlayerList.append(Player)
        StartProgram(PlayerList)


print("When entering dates, enter in the form 'XXth Month AM/PM'\n")
Start()

プログラムが最初に実行されると(BuskingList.txt存在する場合)、プログラムは正常に実行され、名前の追加が機能し、それをピクルして終了時にダンプすることが明らかに機能します。ただし、プログラムを再起動すると、以下のエラーで保存されたデータの読み取りに失敗します...

File contains: [b'\x80\x03]q\x00c__main__\n', b'Player\n', b'q\x01)\x81q\x02}q\x03(X\x04\x00\x00\x00Nameq\x04X\x0b\x00\x00\x00Test Playerq\x05X\n', b'\x00\x00\x00Instrumentq\x06h\x06X\x0c\x00\x00\x00Availabilityq\x07]q\x08X\n', b'\x00\x00\x001st Dec AMq\tauba.']
Traceback (most recent call last):
  File "I:/Busking/Problem.py", line 63, in <module>
    Start()
  File "I:/Busking/Problem.py", line 54, in Start
    ToAppend=pickle.load(file)
_pickle.UnpicklingError: A load persistent id instruction was encountered,
but no persistent_load function was specified.

少し調べてみたところ、この永続的な ID マラキーは問題にならないことがわかりました。また、ピクルス化時のリストの値が 5 つに制限されるのはなぜですか? どんな助けでも大歓迎です。

4

1 に答える 1

3

最初に次のコマンドでリストを読みます.readlines():

print("File contains: "+str(file.readlines()))

それからもう一度読んでみてください:

CheckForPlayers=file.read()

これはうまくいきません。ファイル ポインタがファイルの末尾になりました。ファイルを巻き戻すか、再度開きます。

file.seek(0)  # rewind to start

ここでファイルの内容を確認する必要はありません。あなたのためにそれをしましょpickleう。

次に、ファイルを 1 行ずつ読み取ります。

for line in file:
    ToAppend=pickle.load(file)

これは機能しません。pickle 形式はバイナリであり、行指向ではありません。繰り返しを使用して読み取り、次にファイル オブジェクトを渡して再度読み取ります。

pickleモジュールへのファイルの読み取りを完全に残します。

with open("BuskingList.txt", "rb") as infile:
    ToAppend=pickle.load(file)

また、コードで言及します:

## For some reason, pickle doesn't like me trying to dump a list with more than
## 5 values in it, any reason for that?

Pickle はどのようなリスト サイズでも問題ありません。プレイヤー リストを 5 つのチャンクに分割する理由はありません。どのような問題が発生したかは述べていませんが、リスト内の項目の数が原因である可能性はありません。

>>> import pickle
>>> with open('/tmp/test.pickle', 'wb') as testfile:
...     pickle.dump(range(1000), testfile)
... 
>>> with open('/tmp/test.pickle', 'rb') as testfile:
...     print len(pickle.load(testfile))
... 
1000

これにより、1000 個の整数のリストが保存され、再ロードされました。

于 2013-11-14T18:52:43.557 に答える