你需要的是一个主游戏循环:
while game.is_running:
command = get_user_input()
user_do(command)
update_world()
while
只要game.is_running
is ,这将重复循环内的三行代码True
。首先,您获得用户输入。接下来,您对其采取行动。最后,您执行游戏所需的任何其他更新,例如移动或生成怪物。此时,它会循环回来并要求用户输入另一个命令。
更新:这是一个工作示例:
# In commands.py:
def bag():
print 'bag'
def other():
print 'other'
def unrecognized():
print 'unknown command'
# In main.py:
import commands
def user_input():
print 'a question'
return raw_input('>')
def user_do(command):
# get the matching command out of commands, or pass back
# the unrecognized function if it's not found
action = getattr(commands, command, commands.unrecognized)
action()
is_running = True
while is_running:
command = user_input()
if command == 'quit':
is_running = False
else:
user_do(command)
在这个例子中,我作弊了,我依赖于用户输入的命令与要调用的函数的名称相同。在user_do
中,getattr
调用将用户输入的字符串与command
模块的内容进行比较,如果存在则返回同名函数,unrecognized
如果不存在则返回后备函数。action
现在将保持命令功能或unrecognized
.
如果您不想让用户命令与实际函数本身如此紧密地绑定,则可以使用 adict
作为分支构造(或dispatch)而不是使用大量if / elif / else
语句:
# Modified main.py
import commands
COMMAND_DISPATCH = {
'bag': commands.bag,
'sack': commands.bag,
'other': commands.other,
# ...
}
# ...
def user_do(command):
action = COMMAND_DISPATCH.get(command, commands.unrecognized)
action()
在此示例中,我们不是在模块中查找函数,而是在其中commands
查找它们COMMAND_DISPATCH
。
还有一点建议:很快你就会想把用户输入解析成不止一个命令。对于此示例,假设您希望能够接受“command ...”形式的输入。您可以扩展该user_input
功能以解决此问题:
def user_input():
print 'a question'
user_input = raw_input('>').split(' ')
command = user_input[0]
arguments = user_input[1:]
return command, arguments
因此,如果您输入“foo bar baz”,这将返回元组('foo', ['bar', 'baz'])
。接下来我们更新主循环来处理参数。
while is_running:
# use tuple unpacking to split into command, argument pairs
command, arguments = user_input()
if command == 'quit':
is_running = False
else:
user_do(command, arguments)
然后确保我们将它们传递给命令:
def user_do(command, arguments):
action = COMMAND_DISPATCH.get(command, commands.unrecognized)
action(arguments)
最后,我们修改命令以接受和处理参数:
def bag(arguments):
for argument in arguments:
print 'bagged ', argument
对于文本冒险,您将需要一个更充实的解析器,它可以处理command object
, command object preposition subject
,甚至可能command adjective object ...
.