Python字典

最近自学Python学到字典,这里放一个算是比较综合的例题,并给出代码,大家一起学习。顺便请各位大佬指教(代码都给了详细注释方便各位新手共同学习)


游戏中打败Boss后的掉落物品为一个列表,玩家背包中的物品则用一个字典存放,例如打败龙之后掉落物品列表为('rope','gold coin','torch','dagger','gold coin'

玩家背包中的物品为{ 'rope': 1, 'torch': 6, 'gold coin': 40, 'dagger': 1, 'arrow': 12}

玩家拾取物品后更新背包中的物品数量并进行输出。


分析下题目首先需要定义一个列表保存怪物掉落物品

addedItems=('rope','gold coin','torch','dagger','gold coin')

在定义一个字典保存玩家的背包中的物品

stuff={'rope': 1, 'torch': 6, 'gold coin': 40, 'dagger': 1, 'arrow': 12}

现在定义一个函数来进行对背包中物品进行更新的操作

def addToInventory(inventory, addedItems):
    for i in addedItems:  #遍历掉落物品的列表
        if(i in inventory): #如果掉落物品在背包中存在,则值加1
            inventory[i]+=1
        else: #否则在背包字典中加入,默认值为1
            inventory.setdefault(i,1)
    return inventory #返回背包字典

再定义一个函数用作输出背包中的信息

def displayInventory(lst): #传入一个字典
    print('Inventory:')
    totalItem=0 #定义一个变量用于保存背包中物品总数
    for k,v in lst.items(): #遍历字典
        print(str(v)+' '+k) #输出
        totalItem+=v #获取各个物品的数量并进行累加
    print('Total number of items:'+str(totalItem)) #输出结果

你可能感兴趣的:(Python,Python,字典)