如何测试python类父是否定义了方法?

时间:2015-10-14 20:46:27

标签: python class hasattr

我有一个子类,可能定义了一个方法'method_x'。我想知道'method_x'是否在类层次结构的其他地方定义。

如果我这样做:

hasattr(self, 'method_x')

我将获得一个真值,它也会查看为子类定义的任何方法。我如何限制这只是为了询问该方法是否被定义在类链的更高位置?

1 个答案:

答案 0 :(得分:3)

如果您使用的是Python 3,则可以将super()提供给hasattr的对象参数。

例如:

class TestBase:
    def __init__(self):
        self.foo = 1

    def foo_printer(self):
        print(self.foo)


class TestChild(TestBase):
    def __init__(self):
        super().__init__()
        print(hasattr(super(), 'foo_printer'))

test = TestChild()

使用Python 2,它类似,您只需要在super()电话中更明确。

class TestBase(object):
    def __init__(self):
        self.foo = 1

    def foo_printer(self):
        print(self.foo)


class TestChild(TestBase):
    def __init__(self):
        super(TestChild, self).__init__()
        print(hasattr(super(TestChild, self), 'foo_printer'))


test = TestChild()

2和3都可以使用多级继承和mixin。