python多继承与super

问题

如果一个子类C同时继承两个父类A和B,A和B有同样的方法名f,那么当子类C使用super方法调用父类的f函数时,会调用A的f方法,还是B的f方法?


结论

经过查阅资料和自己试验,得出答案:调用A的f方法。

Q:为什么会这样?
A:当出现上述问题中描述的情况时,super函数会使用创建子类时传入的第一个父类的方法。

Q:如果需要在子类C中调用B的f方法,该怎么办?
A:显式指定父类,来调用方法。不使用super函数。

实例

下面附上试验时用的实例。

class Wolf(object):
    def speak(self):
        print 'Ah Woo ~~~~~'


class Man(object):
    def speak(self):
        print 'Hello'


class WolfMan(Wolf, Man):
    def speak(self):
        super(WolfMan, self).speak()  # 调用Wolf类的speak()
        Man.speak(self)  # 显式指定父类,调用Man类的speak()


wolfman = WolfMan()
wolfman.speak()