我正在学习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'作为第一个参数重写方法,那么Name Error现在带有'wound',因为没有定义。那种告诉我这是我错过的班级结构中的东西,但我不知道是什么。
答案 0 :(得分:1)
您可以在函数中定义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)
这样可行。
答案 1 :(得分:1)
我改变了之前对此的回答。
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']
根据帖子,我认为这就是你想要的。根据您之前的代码,您的声明只能在函数内部访问。现在,您可以通过在构造函数中声明它们来操纵特定实例的数据和这些变量。
答案 2 :(得分:0)
函数结束后,函数中分配的每个局部变量都会被丢弃。您需要将self.
添加到这些名称之前,以便将它们保存为实例变量,例如self.l_arm
,self.r_arm
等。如果您打算稍后使用这些对象,那么伤口漂亮的名字也是如此。