所以,我有这样的情况。
class A(object):
def foo(self, call_from):
print "foo from A, call from %s" % call_from
class B(object):
def foo(self, call_from):
print "foo from B, call from %s" % call_from
class C(object):
def foo(self, call_from):
print "foo from C, call from %s" % call_from
class D(A, B, C):
def foo(self):
print "foo from D"
super(D, self).foo("D")
d = D()
d.foo()
代码的结果是
foo from D
foo from A, call from D
我想调用所有父方法,在这种情况下,foo方法,来自 D
没有在父类中使用super的类 A
。我只想打电话给超级 D
类。该 A
, B
,和 C
class就像mixin类一样,我想调用所有foo方法 D
。我怎样才能做到这一点?
您可以使用 __bases__
喜欢这个
class D(A, B, C):
def foo(self):
print "foo from D"
for cls in D.__bases__:
cls().foo("D")
通过此更改,输出将是
foo from D
foo from A, call from D
foo from B, call from D
foo from C, call from D
您可以使用 __bases__
喜欢这个
class D(A, B, C):
def foo(self):
print "foo from D"
for cls in D.__bases__:
cls().foo("D")
通过此更改,输出将是
foo from D
foo from A, call from D
foo from B, call from D
foo from C, call from D
加 super()
除了以外在其他课程中打电话 C
。因为D的MRO是
>>> D.__mro__
(<class '__main__.D'>, <class '__main__.A'>, <class '__main__.B'>, <class '__main__.C'>, <type 'object'>)
你不需要超级电话 C
。
码:
class A(object):
def foo(self, call_from):
print "foo from A, call from %s" % call_from
super(A,self).foo('A')
class B(object):
def foo(self, call_from):
print "foo from B, call from %s" % call_from
super(B, self).foo('B')
class C(object):
def foo(self, call_from):
print "foo from C, call from %s" % call_from
class D(A, B, C):
def foo(self):
print "foo from D"
super(D, self).foo("D")
d = D()
d.foo()
输出:
foo from D
foo from A, call from D
foo from B, call from A
foo from C, call from B