本文实例讲述了Python实现通过继承覆盖方法。分享给大家供大家参考,具体如下:
Python真是太动态了,所有的方法默认都是虚的。子类定义父类同名函数之后,父类函数被覆盖。
1
2
3
4
5
6
7
8
9
10
11
12
|
class P( object ): def foo( self ): print "I am a P-foo()" class C(P): def foo( self ): print "I am a C-foo()" >>>p = P() >>>c = C() >>>p.foo() I am a P - foo() >>>c.foo() I am a C - foo() |
这就引出了一个问题:重写__init__
不会自动调用基类的__init__
。在C++中如果使用了派生类默认构造函数的话,是会自动调用基类的默认默认构造函数的。C++中调用非默认构造函数是显示调用基类构造函数来初始化基类部分的。
1
2
3
4
5
6
7
8
|
class P( object ): def __init__( self ): print "P's constructor" class C(P): def __init__( self ): print "C's constructor" >>>c = C() C's constructor |
如果需要调用基类构造函数时,可将C类定义改为
1
2
3
4
|
class C(P): def __init__( self ): P.__init__( self ) print "C's constructor" |
或者
1
2
3
4
|
class C(P): def __init__( self ): super (C, self ).__init__() print "C's constructor" |
使用super(className,self).functionName(没有self!!)
的重点是不需要提供父类,这意味着如果改变了类继承关系,只需要改变一行代码(class C(P)),此时寻找基类的事由super
函数完成。
希望本文所述对大家Python程序设计有所帮助。
原文链接:https://blog.csdn.net/sicofield/article/details/8635351