我试图做一个很酷的回合制战斗游戏和我的代码的一部分不喜欢我。我有一个菜单系统无法确定一些事情。 (请记住,我是最近才开始上课的。)
使类实体(玩家和敌人)。
class Entity:
def __init__(self):
self.name = ''
self.health = 0
self.moveset = []
通过一个内部菜单制作一个玩家课程(以便我可以添加更多角色)。
class Player(Entity):
options = [menu(),attack(),items(),stats(),flee()]
def menu(self):
menuchoice = input('Menu\n1. Attack\n2. Items\n3. Stats\n4. Flee\n')
if menuchoice not in ['1','2','3','4']:
clear()
options[0]
options[int(menuchoice)]
options[0]
def attack(self):
print('attack')
def items(self):
print('items')
def stats(self):
print('stats')
def flee(self):
print('flee')
试图运行菜单
player = Player()
player.menu()
错误
Traceback (most recent call last):
File "main.py", line 16, in <module>
class Player(Entity):
File "main.py", line 17, in Player
options = [menu(),attack(),items(),stats(),flee()]
NameError: name 'menu' is not defined
有人可以告诉我如何在此代码中定义菜单吗?我正在使用Python 3.6.1。
编辑:,谢谢!现在可以使用了。我必须添加()
并将options = [...]
移到最后!
答案 0 :(得分:0)
变量 options 可能旨在维护对可用选项的引用。相反,它的作用是在定义方法之前就调用方法本身:
这是演示该问题的最低版本(它在python解释器上:
>>> class Player:
... options = [menu()]
... def menu(self):
... print('menu')
...
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 2, in Player
NameError: name 'menu' is not defined
>>>
这是另一个版本,实际上没有调用该方法,而只是添加了引用。它将遇到相同的错误:
>>> class Player:
... options = [menu]
... def menu(self):
... print('menu')
...
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 2, in Player
NameError: name 'menu' is not defined
>>>
这可能是您想要的:
>>> class Player:
... options = ['menu']
... def menu(self):
... print('in menu')
...
>>> player = Player()
>>> player
<__main__.Player instance at 0x10a2f6ab8>
>>> player.options
['menu']
>>> player.options[0]
'menu'
>>> type(player.options[0])
<type 'str'>
>>> func = getattr(player, player.options[0])
>>> type(func)
<type 'instancemethod'>
>>> func
<bound method Player.menu of <__main__.Player instance at 0x10a2f6ab8>>
>>> func()
in menu
>>>
如果您在定义后使用它,这是证明,它不会出现错误-但这不是标准/典型用法:
>>> class Player:
... def menu(self):
... print('in menu')
... options = [menu]
...
>>> player = Player()
>>> player.options
[<function menu at 0x10a2f16e0>]
>>> player.options[0]
<function menu at 0x10a2f16e0>
>>> player.options[0]()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: menu() takes exactly 1 argument (0 given)
>>> player.options[0](player)
in menu
>>> Player.options[0](player)
in menu
>>> Player.options[0](player) # calling with class reference
in menu
>>>