我正在写一个基于文本的游戏,我想将每个房间连接到其他四个房间 - 北,南,东和西。我现在正从北方开始。用户应该能够键入“走向北方”。应该叫北方房间。
我使用了三个文件 - 一个用于编写主要故事,一个用于调用故事中的适当房间,另一个用于导航以避免相互导入。
rooms.py:
import actions
class FirstRoom(object):
room_name = 'FIRST ROOM'
north = 'north_room'
def __init__(self):
pass
def start(self):
print self.room_name
while True:
next = raw_input('> ')
actions.walk(next, self.north)
actions.command(next)
class North(object):
room_name = "NORTH ROOM"
def __init__(self):
pass
def start(self):
print self.room_name
actions.py:
import navigation
def walk(next, go_north):
"""Tests for 'walk' command and calls the appropriate room"""
if next == 'walk north':
navigation.rooms(go_north)
else:
pass
navigation.py:
import rooms
first_room = rooms.FirstRoom()
north_room = rooms.North()
def rooms(room):
rooms = {
'first_room': first_room.start(),
'north_room': north_room.start(),
}
rooms[room]
当我运行first_room.start()时,它应该打印出“第一个房间”。它做的。然后我输入'向北走?而且我希望它可以打印#TH; NORTH ROOM",而是打印出#34; FIRST ROOM"试。
我无法弄清楚为什么它没有像我期望的那样工作,就像它再次呼叫first_room而不是north_room一样。谁能弄清楚我做错了什么?
答案 0 :(得分:8)
我的猜测是因为字典rooms
的定义方式而出现问题。当你这样做 -
rooms = {
'first_room': first_room.start(),
'north_room': north_room.start(),
}
rooms[room]
当您定义字典本身时调用函数,而不是从它访问值时调用(因此两个函数都被调用),您希望将函数对象(不调用它们)存储为值,然后将它们称为 - rooms[room]()
。示例 -
def rooms(room):
rooms = {
'first_room': first_room.start,
'north_room': north_room.start,
}
rooms[room]()