

class A:
def m(self):
print('A')
class B(A):
def m(self):
print('B')
super().m()
B().m()
当然 Python 2 里super() 是一定要参数的,所以得这么写:
class B(A):
def m(self):
print('B')
super(B, self).m()
super在单继承中使用的例子:
class Foo(): def __init__(self, frob, frotz) self.frobnicate = frob self.frotz = frotz class Bar(Foo): def __init__(self, frob, frizzle) super().__init__(frob, 34) self.frazzle = frizzle
此例子适合python 3.x,如果要在python2.x下使用则需要稍作调整,如下代码示例:
class Foo(object):
def __init__(self, frob, frotz):
self.frobnicate = frob
self.frotz = frotz
class Bar(Foo):
def __init__(self, frob, frizzle):
super(Bar,self).__init__(frob,34)
self.frazzle = frizzle
new = Bar("hello","world")
print new.frobnicate
print new.frazzle
print new.frotz
需要提到自己的名字。这个名字也是动态查找的,在这种情况下替换第三方库中的类会出问题。
`super()`` 很好地解决了访问父类中的方法的问题。
