Python:class 方法中的变量

Python: variables inside class methods

我正在学习 python 并且正在尝试编写基于角色热区的伤口系统。这是我写的。不要太苛责我。

class Character:
    def __init__ (self, agility, strength, coordination):
            self.max_agility = 100
            self.max_strength = 100
            self.max_coordination = 100
            self.agility = agility
            self.strength = strength
            self.coordination = coordination

    def hit (self, hit_region, wound):
            self.hit_region = hit_region
            self.wound = wound

            #Hit Zones
            l_arm=[]
            r_arm=[]
            l_leg=[]
            r_leg=[]
            hit_region_list = [l_arm , r_arm, l_leg, r_leg]


            #Wound Pretty Names
            healthy = "Healthy"
            skin_cut = "Skin Cut"
            muscle_cut = "Muscle Cut"
            bone_cut = "Exposed Bone"

            hit_region.append(wound)              

john = Character(34, 33, 33)

john.hit(l_arm, skin_cut)

我希望 skin_cut 输入被识别为 "Skin Cut",然后添加到我定义为列表的 l_arm。但是,我总是收到名称错误(l_arm 未定义)。如果我用 'wound' 作为第一个参数重写方法,名称错误现在带有 'wound' 未定义。那种告诉我它是我错过的 class 结构中的东西,但我不知道是什么。

函数结束后,函数内分配的每个局部变量都会被丢弃。您需要在这些名称前添加 self.,以便将它们保存为实例变量,例如 self.l_armself.r_arm 等。如果您打算稍后使用这些对象,那么伤口漂亮的名字也是如此。

您在函数中定义 l_arm 并且它仅局限于该函数。它只有功能范围。只能在函数内部访问。

您尝试访问 l_arm 外部函数,但出现错误,l_arm 未定义。

如果你想在函数外访问所有这些变量,你可以在上面定义class

#Hit Zones
l_arm=[]
r_arm=[]
l_leg=[]
r_leg=[]
hit_region_list = [l_arm , r_arm, l_leg, r_leg]


#Wound Pretty Names
healthy = "Healthy"
skin_cut = "Skin Cut"
muscle_cut = "Muscle Cut"
bone_cut = "Exposed Bone"

class Character:
    ...
    ...
    ...

john = Character(34, 33, 33)

john.hit(l_arm, skin_cut)

这会起作用。

我改变了我之前对此的回答。

class Character:
def __init__ (self, agility, strength, coordination):
        self.max_agility = 100
        self.max_strength = 100
        self.max_coordination = 100
        self.agility = agility
        self.strength = strength
        self.coordination = coordination
        self.l_arm=[]
        self.r_arm=[]
        self.l_leg=[]
        self.r_leg=[]
        self.hit_region_list = [self.l_arm , self.r_arm, self.l_leg, self.r_leg]
        self.healthy = "Healthy"
        self.skin_cut = "Skin Cut"
        self.muscle_cut = "Muscle Cut"
        self.bone_cut = "Exposed Bone"

def hit (self, hit_region, wound):
        self.hit_region = hit_region
        self.wound = wound
        hit_region.append(wound)
        #Hit Zones



        #Wound Pretty Names




john = Character(34, 33, 33)

john.hit(john.l_arm,john.skin_cut)

print john.hit_region
print john.l_arm

在 运行 上面的代码之后我得到了这个输出

output:
['Skin Cut']
['Skin Cut']

根据 post,我认为这就是您想要的。根据您之前的代码,您的声明只能在函数内部访问。现在您可以通过在构造函数中声明它们来为特定实例操作数据和这些变量。