为什么我不能在这里访问.__ mro__属性?

Ank*_*wal 2 python method-resolution-order python-2.7

从实例雷蒙德赫廷杰的recepie

class Root(object):
    def draw(self):
        # the delegation chain stops here
        assert not hasattr(super(Root, self), 'draw')

class Shape(Root):
    def __init__(self, shapename, **kwds):
        self.shapename = shapename
        super(Shape, self).__init__(**kwds)
    def draw(self):
        print 'Drawing.  Setting shape to:', self.shapename
        super(Shape, self).draw()

class ColoredShape(Shape):
    def __init__(self, color, **kwds):
        self.color = color
        super(ColoredShape, self).__init__(**kwds)
    def draw(self):
        print 'Drawing.  Setting color to:', self.color
        super(ColoredShape, self).draw()

# ------- Show how to incorporate a non-cooperative class --------

class Moveable(object):
    # non-cooperative class that doesn't use super()
    def __init__(self, x, y):
        self.x = x
        self.y = y
    def draw(self):
        print 'Drawing at position:', self.x, self.y

class MoveableAdapter(Root):
    # make a cooperative adapter class for Moveable
    def __init__(self, x, y, **kwds):
        self.moveable = Moveable(x, y)
        super(MoveableAdapter, self).__init__(**kwds)
    def draw(self):
        self.moveable.draw()
        super(MoveableAdapter, self).draw()

class MovableColoredShape(ColoredShape, MoveableAdapter):
    pass

m = MovableColoredShape(color='red', shapename='triangle', x=10, y=20)
m.draw()

print m.__mro__
Run Code Online (Sandbox Code Playgroud)

我了解这段代码。我不明白的是为什么在执行此代码时出现此错误:

Traceback (most recent call last):
  File "study_mro.py", line 47, in <module>
    print m.__mro__
AttributeError: 'MovableColoredShape' object has no attribute '__mro__'
Run Code Online (Sandbox Code Playgroud)

Ray*_*ger 5

由于不可思议的原因,该__mro__属性仅在类上可见,而在实例上不可见。

尝试以下方法:

>>> m.__class__.__mro__
(<class '__main__.MovableColoredShape'>, <class '__main__.ColoredShape'>, <class '__main__.Shape'>, <class '__main__.MoveableAdapter'>, <class '__main__.Root'>, <type 'object'>)
Run Code Online (Sandbox Code Playgroud)

  • 我喜欢你写的雷!https://rhettinger.wordpress.com/2011/05/26/super-considered-super/ (2认同)