两种继承方式:
Class SubClass(FartherClass):子类可以任意调用父类的成员变量、成员函数,适合单继承,即只继承一个父类。
Super:适合多继承
统一用一种,不要交叉用。
class FooParent(object): def __init__(self): self.parent = 'I\'m the parent.' print 'Parent' def bar(self,message): print message, 'from Parent' class FooChild(FooParent): def __init__(self): FooParent.__init__(self) print 'Child' def bar(self,message): FooParent.bar(self,message) print 'Child bar function.' print self.parent if __name__=='__main__': fooChild = FooChild() fooChild.bar('HelloWorld')
输出结果
Parent
Child
HelloWorld from Parent
Child bar function.
I'm the parent.
Super
class FooParent(object): def __init__(self): self.parent = 'I\'m the parent.' print 'Parent' def bar(self,message): print message,'from Parent' class FooChild(FooParent): def __init__(self): super(FooChild,self).__init__() print 'Child' def bar(self,message): super(FooChild, self).bar(message) print 'Child bar fuction' print self.parent if __name__ == '__main__': fooChild = FooChild() fooChild.bar('HelloWorld')
输出结果
Parent
Child
HelloWorld from Parent
Child bar function.
I'm the parent.