继承 继承描述了基类的属性如何“遗传”给派生类。一个子类可以继承它的基类的任何属性,不管是数据属性还是方法。 复制代码 代码如下: class SubClassName (ParentClass1[, ParentClass2, ...]): 'optional class documentation string' class_suite 实例 复制代码 代码如下: class Parent(object): # define parent class 定义父类 def parentMethod(self): print 'calling parent method' class Child(Parent): # define child class 定义子类 继承与覆盖 继承 不同于Java,python的子类继承父类后,会把父类的所有的方法,包括构造器init()也继承下来. 复制代码 代码如下: class Parent(): def __init__(self): print "init Parent class instance" def func(self): class Child(Parent): child = Child() 输出 复制代码 代码如下: init Child class instance call parent func super关键字 super 是用来解决多重继承问题的,直接用类名调用父类方法在使用单继承的时候没问题,但是如果使用多继承,会涉及到查找顺序(MRO)、重复调用(钻石继承)等种种问题。语法如下 复制代码 代码如下: super(type[, obj]) 示例 复制代码 代码如下: class C(B): def method(self, arg): super(C, self).method(arg) 注意 super继承只能用于新式类,用于经典类时就会报错。 复制代码 代码如下: class Parent(object): def __init__(self): self.phone = '123456' self.address = 'abcd' class Child(Parent): def main(): if __name__ == '__main__': 输出 复制代码 代码如下: phone is: 123456 address is: abcd data is: 100 重写 子类只要重新定义一个与父类的方法同名的方法,就可以重写覆盖父类的方法. 子类只要把上例父类的func(self)重写就行了. 复制代码 代码如下: class Parent(): def __init__(self): print "init Parent class instance" def func(self): print "call parent func" class Child(Parent): def __init__(self): print "init Child class instance" child = Child() 输出 复制代码 代码如下: init Child class instance call Child func 多重继承 同 C++一样,Python 允许子类继承多个基类。但一般不推荐用多重继承.语法如下: 复制代码 代码如下: class Father(): def __init__(self): print "init Father instance" class Mother(): class Child(Father, Mother): 类、实例和其他对象的内建函数 issubclass() 布尔函数判断一个类是另一个类的子类或子孙类。它有如下语法: 复制代码 代码如下: issubclass(sub, sup) isinstance() 布尔函数在判定一个对象是否是另一个给定类的实例时,非常有用。它有如下语法: 复制代码 代码如下: isinstance(obj1, obj2) attr()系列函数 ●hasattr() ●delattr() 实例 复制代码 代码如下: class Child(Parent): def __init__(self): self.data = 100 child = Child() print "delete attr" print "has data attr?", hasattr(child, 'data') print "set data attr to 200" 输出 复制代码 代码如下: has data attr? True delete attr has data attr? False set data attr to 200 data attr is: 200 私有化 Python没有像Java那样实现真正的封装,只是用双划线和单划线实现私有化. ●双划线 复制代码 代码如下: def __func(self): print "call" ●单划线 防止模块的属性用“from mymodule import *”来加载。 |
|