Python子类看似彼此编辑

时间:2016-01-30 23:16:15

标签: python class subclass

在以#34; Colossal Cave Adventure"," Zork"等形式创建基本文本冒险的同时,我遇到了我的僵尸问题和骷髅课看似相互编辑。

class Entity(object):
    def __init__(self,name,hp,strength,defense,armor=False,weapon=Fist(),actions=["Attack","Block"]):
        self.name = name
        self.hp = self.maxhp = hp
        self.strength = strength
        self.default_defense = self.defense = defense
        self.armor = armor
        self.weapon = weapon
        self.initiative = 0
        self.actions = actions

    def attack(self,target):
        #An attack action
    def block(self):
        #A block action
    def update(self):
        #Updating the entity

class Zombie(Entity):
    def __init__(self):
        Entity.__init__(self,"Zombie",random.randint(13,20),4,5,Leather())
        print self.actions    #Printing the actions in order to try to fix this issue
        self.actions.remove("Block")
        print self.actions    #Printing the actions in order to try to fix this issue

class Skeleton(Entity):
    def __init__(self):
        Entity.__init__(self,"Skeleton",random.randint(16,23),6,5,False,Bow(999))
        print self.actions    #Printing the actions in order to try to fix this issue
        self.actions.remove("Block")
        print self.actions    #Printing the actions in order to try to fix this issue

monsters = [Zombie(),Skeleton()]

运行代码时,返回

['Attack','Block']
['Attack']
['Attack']
#Error message

该错误表示'Block'并未在骷髅self.actions中删除,但就我的理解而言,'Block'应该在那里调用Entity.__init__。如果我在Zombie()中切换Skeleton()monsters,问题仍然会发生,所以问题似乎是第一个子类正在从两个子类中删除条目。

我是子类的新手,所以很可能问题在于我对它们如何工作的有限理解。这是预期的行为吗?如果是这样,我将如何得到我正在寻找的行为?

2 个答案:

答案 0 :(得分:1)

__init__的默认参数仅评估一次。 因此,如果您不为actions提供其他内容,Entity的每个实例都会引用完全相同的列表。当您在一个实例中从该列表中删除时,其他实例中的列表也会被修改。

要防止这种情况发生,请尝试以下方法:

class Entity:
    def __init__(self, ... actions=None, ...):
    ...
    if actions is None:
        self.actions = ["Attack", "Block"]
    else:
        self.actions = actions

然后为每个实例创建actions列表。

答案 1 :(得分:0)

问题是您在actions的{​​{1}}中使用列表作为__init__的默认参数。

每个子类都包含对原始列表Entity的引用。无论何时修改它,原始列表都会更新,这可能与您的预期不同。

为避免这种错误,请使用不可变类型作为默认参数,例如["Attack", "Block"]代替tuple