首页 > 编程 > Python > 正文

Python中的面向对象编程详解(下)

2020-02-23 00:40:42
字体:
来源:转载
供稿:网友

继承

继承描述了基类的属性如何“遗传”给派生类。一个子类可以继承它的基类的任何属性,不管是数据属性还是方法。
创建子类的语法看起来与普通(新式)类没有区别,一个类名,后跟一个或多个需要从其中派生的父类:
代码如下:
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 定义子类
    def childMethod(self):
    print 'calling child method'

继承与覆盖

继承

不同于Java,python的子类继承父类后,会把父类的所有的方法,包括构造器init()也继承下来.
代码如下:
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()
child.func()

输出
代码如下:
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继承只能用于新式类,用于经典类时就会报错。
新式类:必须有继承的类,如果没什么想继承的,那就继承object
经典类:没有父类,如果此时调用super就会出现错误:『super() argument 1 must be type, not classobj』
实例
代码如下:
class Parent(object):
    def __init__(self):
        self.phone = '123456'
        self.address = 'abcd'

class Child(Parent):
    def __init__(self):
        super(Child, self).__init__()
        self.data = 100

def main():
    child = Child()
    print "phone is: ", child.phone
    print "address is: ", child.address

发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表