【python】详解类class的继承、__init__初始化、super方法(五)

通过之前四篇的介绍:

  • 【python】python中的类,对象,方法,属性初认识(一)详见链接
  • 【python】详解类class的属性:类数据属性、实例数据属性、特殊的类属性、属性隐藏(二)详见链接
  • 【python】详解类class的方法:实例方法、类方法、静态方法(三)详见链接
  • 【python】详解类class的访问控制:单下划线与双下划线_(四)详见链接

Python中类相关的一些基本点已经比较完整清晰了,本文继续深入Python中类的继承和_ _slots _ _属性。

1、继承

  • 在Python中,同时支持单继承与多继承,一般语法如下:
class SubClassName(ParentClass1 [, ParentClass2, ...]):
    class_suite
  • 实现继承之后,子类将继承父类的属性,也可以使用内建函数insubclass()来判断一个类是不是另一个类的子孙类
# -*- coding: utf-8 -*-
"""
Created on Sun Jan 21 22:33:09 2018

@author: BruceWong
"""

class Parent(object):
    '''
    parent class
    '''
    numList = []
    def numdiff(self, a, b):
        return a-b

class Child(Parent):
    pass


c = Child()    
# subclass will inherit attributes from parent class 
#子类继承父类的属性   
Child.numList.extend(range(10))
print(Child.numList)

print("77 - 2 =", c.numdiff(77, 2))

# built-in function issubclass() 
print(issubclass(Child, Parent))
print(issubclass(Child, object))

# __bases__ can show all the parent classes
#bases属性查看父类
print('the bases are:',Child.__bases__)

# doc string will not be inherited
#doc属性不会被继承
print(Parent.__doc__)
print(Child.__doc__)

代码的输出为:

[0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
77 - 2 = 75
True
True
the bases are: (<class '__main__.Parent'>,)

    parent class

None

例子中唯一特别的地方是文档字符串。文档字符串对于类,函数/方法,以及模块来说是唯一的,也就是说doc属性是不能从父类中继承来的。

2、继承中的_ _init_ _
当在Python中出现继承的情况时,一定要注意初始化函数_init_的行为:

  • 如果子类没有定义自己的初始化函数,父类的初始化函数会被默认调用;但是如果要实例化子类的对象,则只能传入父类的初始化函数对应的参数,否则会出错。
  • 如果子类定义了自己的初始化函数,而在子类中没有显示调用父类的初始化函数,则父类的属性不会被初始化
  • 如果子类定义了自己的初始化函数,在子类中显示调用父类,子类和父类的属性都会被初始化

2.1、子类没有定义自己的初始化函数,父类的初始化函数会被默认调用:

#定义父类:Parent
class Parent(object):
    def __init__(self, name):
        self.name = name
        print("create an instance of:", self.__class__.__name__)
        print("name attribute is:", self.name)
#定义子类Child ,继承父类Parent       
class Child(Parent):
    pass
#子类实例化时,由于子类没有初始化,此时父类的初始化函数就会默认被调用
#且必须传入父类的参数name
c = Child("init Child") 

子类实例化时,由于子类没有初始化,此时父类的初始化函数就会默认被调用,此时传入父类的参数name,输出结果为:

create an instance of: Child
name attribute is: init Child

如果不传入父类的参数name:

class Parent(object):
    def __init__(self, name):
        self.name = name
        print("create an instance of:", self.__class__.__name__)
        print("name attribute is:", self.name)

class Child(Parent):
    pass

#c = Child("init Child") 
#print()    
c = Child()

没有传入父类name参数的输出结果会报错:

Traceback (most recent call last):

  File "<ipython-input-11-9a7781a6f192>", line 1, in <module>
    runfile('C:/Users/BruceWong/.spyder-py3/类的继承.py', wdir='C:/Users/BruceWong/.spyder-py3')

  File "C:\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py", line 866, in runfile
    execfile(filename, namespace)

  File "C:\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py", line 102, in execfile
    exec(compile(f.read(), filename, 'exec'), namespace)

  File "C:/Users/BruceWong/.spyder-py3/类的继承.py", line 54, in <module>
    c = Child()

TypeError: __init__() missing 1 required positional argument: 'name'

2.2、子类定义了自己的初始化函数,而在子类中没有显示调用父类的初始化函数,则父类的属性不会被初始化

class Parent(object):
    def __init__(self, name):
        self.name = name
        print("create an instance of:", self.__class__.__name__)
        print("name attribute is:", self.name)
#子类继承父类        
class Child(Parent):
    #子类中没有显示调用父类的初始化函数
    def __init__(self):
        print("call __init__ from Child class")
#c = Child("init Child") 
#print()  
#将子类实例化  
c = Child()
print(c.name)

在子类中没有显示调用父类的初始化函数,则父类的属性不会被初始化,因而此时调用子类中name属性不存在:
AttributeError: ‘Child’ object has no attribute ‘name’

call __init__ from Child class
Traceback (most recent call last):

  File "<ipython-input-12-9a7781a6f192>", line 1, in <module>
    runfile('C:/Users/BruceWong/.spyder-py3/类的继承.py', wdir='C:/Users/BruceWong/.spyder-py3')

  File "C:\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py", line 866, in runfile
    execfile(filename, namespace)

  File "C:\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py", line 102, in execfile
    exec(compile(f.read(), filename, 'exec'), namespace)

  File "C:/Users/BruceWong/.spyder-py3/类的继承.py", line 56, in <module>
    print(c.name)

AttributeError: 'Child' object has no attribute 'name'

2.3、如果子类定义了自己的初始化函数,显示调用父类,子类和父类的属性都会被初始化

class Parent(object):
    def __init__(self, name):
        self.name = name
        print("create an instance of:", self.__class__.__name__)
        print("name attribute is:", self.name)

class Child(Parent):
    def __init__(self):
        print("call __init__ from Child class")
        super(Child,self).__init__("data from Child")   #要将子类Child和self传递进去
#c = Child("init Child") 
#print() 
d = Parent('tom')   
c = Child()
print(c.name)

子类定义了自己的初始化函数,显示调用父类,子类和父类的属性都会被初始化的输出结果:

#实例化父类Parent的结果
create an instance of: Parent
name attribute is: tom

#实例化子类Child的结果
call __init__ from Child class
#super首先会先使得父类初始化的参数进行实例化
create an instance of: Child
name attribute is: data from Child
data from Child

3、super的使用详解

  • super主要来调用父类方法来显示调用父类,在子类中,一般会定义与父类相同的属性(数据属性,方法),从而来实现子类特有的行为。也就是说,子类会继承父类的所有的属性和方法,子类也可以覆盖父类同名的属性和方法
class Parent(object):
    Value = "Hi, Parent value"
    def fun(self):
        print("This is from Parent")
#定义子类,继承父类               
class Child(Parent):
    Value = "Hi, Child  value"
    def ffun(self):
        print("This is from Child")

c = Child()    
c.fun()
c.ffun()
print(Child.Value)

输出结果:

This is from Parent
This is from Child
Hi, Child value

但是,有时候可能需要在子类中访问父类的一些属性,可以通过父类名直接访问父类的属性,当调用父类的方法是,需要将”self”显示的传递进去的方式

class Parent(object):
    Value = "Hi, Parent value"
    def fun(self):
        print("This is from Parent")

class Child(Parent):
    Value = "Hi, Child  value"
    def fun(self):
        print("This is from Child")
        Parent.fun(self)   #调用父类Parent的fun函数方法

c = Child()    
c.fun()

输出结果:

This is from Child
This is from Parent  #实例化子类Child的fun函数时,首先会打印上条的语句,再次调用父类的fun函数方法

这种方式有一个不好的地方就是,需要经父类名硬编码到子类中,为了解决这个问题,可以使用Python中的super关键字:

class Parent(object):
    Value = "Hi, Parent value"
    def fun(self):
        print("This is from Parent")

class Child(Parent):
    Value = "Hi, Child  value"
    def fun(self):
        print("This is from Child")
        #Parent.fun(self)
        super(Child,self).fun()  #相当于用super的方法与上一调用父类的语句置换

c = Child()    
c.fun()

输出结果:

This is from Child
This is from Parent  #实例化子类Child的fun函数时,首先会打印上条的语句,再次调用父类的fun函数方法
  • 141
    点赞
  • 509
    收藏
    觉得还不错? 一键收藏
  • 24
    评论
Python中,有三个特殊方法被称为魔术方法:__new__、__init__和__call__。__new__方法用于创建一个的实例,它在__init__方法之前被调用。__init__方法通常用于初始化一个的实例,它在对象创建后立即调用。__call__方法使一个对象可被调用,就像调用一个函数一样。下面是一个示例代码来说明这三个方法的使用: ```python class MyClass(object): def __new__(cls, *args, **kwargs): instance = super().__new__(cls) # 在这里可以对实例进行一些初始化操作 return instance def __init__(self, *args, **kwargs): # 在这里进行实例的初始化操作 pass def __call__(self, *args, **kwargs): # 在这里定义对象被调用时的行为 pass if __name__ == '__main__': my_obj = MyClass() my_obj() # 调用对象 ``` 在上面的代码中,__new__方法用于创建一个的实例,并返回该实例。__init__方法用于初始化实例的属性。__call__方法定义了当对象被调用时的行为。这些特殊方法可以根据需要进行重写,以实现自定义的功能。<span class="em">1</span><span class="em">2</span><span class="em">3</span> #### 引用[.reference_title] - *1* *3* [Python中的__new__、__init__、__call__三个特殊方法](https://blog.csdn.net/jiangjiang_jian/article/details/80024100)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v93^chatsearchT3_2"}}] [.reference_item style="max-width: 50%"] - *2* [详解Python中的__new__、__init__、__call__三个特殊方法](https://blog.csdn.net/qq_15821487/article/details/119737869)[target="_blank" data-report-click={"spm":"1018.2226.3001.9630","extra":{"utm_source":"vip_chatgpt_common_search_pc_result","utm_medium":"distribute.pc_search_result.none-task-cask-2~all~insert_cask~default-1-null.142^v93^chatsearchT3_2"}}] [.reference_item style="max-width: 50%"] [ .reference_list ]

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论 24
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值