Открытие полки файла / DBM файл возвращает ошибку dbmError созданный файл с использованием dbm.open и shelve.Shelf.open

Python 3.4.2, в Linux

Я довольно новичок в этом языке, но я пишу этот проект. Это началось как простая программа, которая отображала словарь. Ну, я пытаюсь расширить его на основе учебников, которые я читаю. Я пришел к одному из полок и возможности сохранить информацию в файле сохранения в формате, похожем на словарь. До сих пор у меня есть программа, которая принимает ввод и обновляет словарь на основе ввода. Это очень просто, но работает на простом уровне, но, естественно, я хотел бы сохранить то, что я ввел. Ниже приведен код.

Функция updateSaveP1() - это то, что доставляет мне неприятности. Несмотря на то, что в данный момент код не такой, как хотелось бы, в конечном итоге мне бы хотелось, чтобы функция принимала 2 аргумента, один для имени ключа в файле полки, а другой для ссылки на целевой словарь / список и т. Д. В настоящее время его даже не сохраняют в файл.

функция loadINV() является заполнителем и выполняет кодирование в настоящий момент. мне нужно сначала выяснить проблему dbm, так как я получаю ту же ошибку dbmError с функцией load.

Первоначально я только что открыл файл. нашел документацию здесь, в стеке, с которой я должен открыть ее, чтобы она создала правильный файл. Я пробовал оба безрезультатно.

ВНИМАНИЕ **** этот код создаст пустой файл в вашей системе в рабочем каталоге python с именем saveata.db

Большое спасибо и благодарность за любую помощь.

`import pygame, math, sys, os, pprint, shelve, dbm,



SAVE_LOCATION = os.path.join(os.getcwd() + '/savedata')
SAVE_FILE_LIST = os.listdir(os.getcwd())
SOURCE = os.path.dirname('inventory.py')        
YES = ["y","Y"]
NO = ["n","N"]

playerStash = {"rope": 77,
           "giant's toe" : 1,
           "gold" : 420}

'''def loadINV():
fileTOload = dbm.open('savedata.db', 'w')
print('opened savedata file')
#for eachLine in fileTOload:
playerStash.update(str(fileTOload.read())
                   )
print('updated dict')
fileTOload.close()'''

def checkSavesFile():


while True:

    if os.path.exists(SAVE_LOCATION):
        print('Save file found')
        break

    elif os.path.exists(SAVE_LOCATION + '.db'):
        print('.db Save file found')
        loadINV()
        break
    else:
        updateSaveP1()
        print('New Save Created')
        break

def updateSaveP1():   

with dbm.open('savedata', 'c') as save:
   save['player1'] = str(playerStash)
   save.close()



#print(SAVE_LOCATION) #debugging - file name format verification
#pprint.pprint(SAVE_FILE_LIST) debugging will pretty print list of files
checkSavesFile() # runs the save file check

def askAboutInv(player):
while True:


    print("What item would you like to add? \n\
(leave blank and press enter to quit)")
    name = input() # Reads input and checks for duplicates or non entries
    if name == '':
        break    # Stop loop

    elif name in playerStash.keys():
        # the check to see if input was in dictionary
        dict_quant = int(playerStash.get(name, 0)) 
# "dict_quant" represents the value in dictionary as an integer  
        dict_item = str(playerStash.get(name, 0))
# "dict_item represents the value in dictionary as a string
        addedItem = dict_quant + 1
       #handles adding the value of the input  

        print("You have " + dict_item + " already, \n\
would you like to add more Y/N?")
        # prints " You have "dictionary number" already"
        answer = input()
        # checks for input if you want to add more to inventory


        if answer in YES: #checks to see if y or Y is entered
            playerStash[name] = addedItem
            # adds +1 to the quantity of "name" per the dict_quant variable
            print("you have " + str(addedItem) + " now")
            # prints " you have "new dictionary number" now"


        if answer in NO: #checks to see if n or N was entered
            print("Nothing added") #prints
            break #ends loop

    else: #if none others statements are true
       if name not in playerStash.keys():
           #if "name" / input is not in the dictionary
           playerStash[name] = playerStash.setdefault(name, 1)
           # add the item to the dictionary with a value of 1
           print('Inventory updated.')
           # prints
           updateSaveP1()



def inventoryDisp(player):# displays dictionary pointing towards argument
print("Inventory")
item_total = 0
for eachOne in playerStash.items():
    print(eachOne) # looks at and prints each item/ key in dictionary
for i, q in playerStash.items():
    item_total = item_total + q #adds all the quantities / values up

print("Total number of items: " + str(item_total))
# prints total number of items in inventory

def updatedInv(player): #same as above just reads "updated inventory"
print("Updated Inventory")
item_total = 0
for eachOne in playerStash.items():
    print(eachOne)
for i, q in playerStash.items():
    item_total = item_total + q

print("Total number of items: " + str(item_total))



inventoryDisp(playerStash)
askAboutInv(playerStash)
updateSaveP1()
updatedInv(playerStash)`

Обновить*****
после изменения этого:

`def updateSaveP1():   

with dbm.open('savedata', 'c') as save:
 save['player1'] = str(playerStash)

save.close () `

к этому:

`def updateSaveP1():   
save = openShelf()
#save = shelve.Shelf(dbm.open('savedata', 'c')) #old code
save['player1'] = str(playerStash)
print(save['player1'])
save.close()`

Казалось бы, словарь действительно сохраняется. теперь функция loadINV доставляет мне неприятности. Это:

def loadINV():
fileTOload = dbm.open('savedata.db', 'w')
print('opened savedata file')
#for eachLine in fileTOload:
playerStash.update(str(fileTOload.read())
               )
print('updated dict')
fileTOload.close()

теперь это:

def loadINV():
    file = openShelf()
    print('opened savedata file')
    playerStash.update(file['player1'])
    print('updated dict')
    fileTOload.close()

но метод.update() возвращает эту ошибку: я не могу найти никакой информации.

Traceback (most recent call last):
File "/home/pi/inventoryShelve.py", line 58, in <module>
checkSavesFile() # runs the save file check
File "/home/pi/inventoryShelve.py", line 40, in checkSavesFile
loadINV()
File "/home/pi/inventoryShelve.py", line 25, in loadINV
playerStash.update(file['player1'])
ValueError: dictionary update sequence element #0 has length 1; 2 is required

1 ответ

Решение

Оказалось, что я сохранял (в полку) данные для словаря инвентаризации как нечто иное, чем dict:

def updateSaveP1():
  save = openShelf()
  save['player1'] = str(playerStash)
  #print(save['player1'])
  save.close()

стал

def updateSaveP1():
  save = openShelf()
  save['player1'] = dict(playerStash)
  #print(save['player1'])
  save.close()
Другие вопросы по тегам