0

我正在学习 libtcod python 教程,我决定弄乱一些代码以使其今天更加独特,并决定从允许玩家将鼠标悬停在对象上的功能开始并按“d”获取该对象的描述。

我目前遇到一个属性错误:'str' object has no attribute 'describe' line 657。我尝试了很多不同的东西,但似乎没有用,不幸的是我现在的理解水平非常有限,所以我可以'不知道出了什么问题。

以下是相关的类和函数:

class Object:
    #this is a generic object: the player, a monster, an item, the stairs...
    #it's always represented by a character on screen.
    def __init__(self, x, y, char, name, color, blocks=False, fighter=None, ai=None, item=None, description=None):
        self.x = x
        self.y = y
        self.char = char
        self.name = name
        self.color = color
        self.blocks = blocks
        self.fighter = fighter
        if self.fighter: #let the fighter component know who owns it
            self.fighter.owner = self
        self.ai = ai
        if self.ai: #let the ai component know who owns it
            self.ai.owner = self
        self.item = item
        if self.item: #let the item component know who owns it, like a bitch
            self.item.owner = self
        self.description = self
        if self.description: #let the description component know who owns it
            self.description.owner = self

    def describe(self):
        #describe this object
        message(self.description, libtcod.white)

def handle_keys():
    global keys;

            if key_char == 'd':
                #show the description menu, if an item is selected, describe it.
                chosen_object = description_menu('Press the key next to an object to see its description.\n')
                if chosen_object is not None:
                    chosen_object.describe()

            return 'didnt-take-turn'

def description_menu(header):

    global mouse

    #return a string with the names of all objects under the mouse
    (x, y) = (mouse.cx, mouse.cy)

    #create a list with the names of all objects at the mouse's coordinates and in FOV
    names = [obj.name for obj in objects if obj.x == x and obj.y == y and libtcod.map_is_in_fov(fov_map, obj.x, obj.y)]

    names = ', '.join(names) #join the names, seperated by commas
    return names.capitalize()

    #show a menu with each object under the mouse as an option
    if len(names) == 0:
        options = ['There is nothing here.']
    else:
        options = [item.name for item in names]

    index = menu(header, options, INVENTORY_WIDTH)

    #if an item was chosen, return it
    if index is None or len(names) == 0: return None
    return names[index].description

任何帮助将非常感激!

4

1 回答 1

1

该函数description_menu()有以下return

names[index].description

这是一个属于 的字符串成员Object
当你说

chosen_object.describe()

您正在调用该describe()方法,但它属于Object该类,而不是字符串(因此是attribute error: 'str' object has no attribute 'describe')。您将不得不description_menu()返回它,Object而不仅仅是它的名称。

于 2014-07-16T13:04:54.997 回答