Python中super().__init__()测试以及理解
__init__()一般用来创建对象的实例变量,或一次性操作,super()用于调用父类的方法,可用来解决多重继承问题,下面这篇文章主要给大家介绍了关于Python中super().__init__()测试及理解的相关资料,需要的朋友可以参考下
目录
python里的super().init()有什么用?
Python super().__init__()测试
super() 在 python2、3中的区别
总结
python里的super().init()有什么用?
对于python里的super().__init__()有什么作用,很多同学没有弄清楚。
直白的说super().__init__(),就是继承父类的init方法,同样可以使用super()点 其他方法名,去继承其他方法。
Python super().__init__()测试
测试一、我们尝试下面代码,没有super(A, self).__init__()时调用A的父类Root的属性和方法(方法里不对Root数据进行二次操作)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | class Root( object ): def __init__( self ): self .x = '这是属性' def fun( self ): #print(self.x) print ( '这是方法' ) class A(Root): def __init__( self ): print ( '实例化时执行' ) test = A() #实例化类 test.fun() #调用方法 test.x #调用属性 |
下面是结果:
Traceback (most recent call last):
实例化时执行
这是方法
File "/hom/PycharmProjects/untitled/super.py", line 17, in <module>
test.x # 调用属性
AttributeError: 'A' object has no attribute 'x'
可以看到此时父类的方法继承成功,可以使用,但是父类的属性却未继承,并不能用
测试二、我们尝试下面代码,没有super(A,self).__init__()时调用A的父类Root的属性和方法(方法里对Root数据进行二次操作)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | class Root( object ): def __init__( self ): self .x = '这是属性' def fun( self ): print ( self .x) print ( '这是方法' ) class A(Root): def __init__( self ): print ( '实例化时执行' ) test = A() #实例化类 test.fun() #调用方法 test.x #调用属性 |
结果如下
Traceback (most recent call last):
File "/home/PycharmProjects/untitled/super.py", line 16, in <module>
test.fun() # 调用方法
File "/home/PycharmProjects/untitled/super.py", line 6, in fun
print(self.x)
AttributeError: 'A' object has no attribute 'x'
可以看到此时报错和测试一相似,果然,还是不能用父类的属性
测试三、我们尝试下面代码,加入super(A, self).__init__()时调用A的父类Root的属性和方法(方法里对Root数据进行二次操作)
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | class Root( object ): def __init__( self ): self .x = '这是属性' def fun( self ): print ( self .x) print ( '这是方法' ) class A(Root): def __init__( self ): super (A, self ).__init__() print ( '实例化时执行' ) test = A() # 实例化类 test.fun() # 调用方法 test.x # 调用属性 |
结果输出如下
实例化时执行
这是属性
这是方法
此时A已经成功继承了父类的属性,所以super().__init__()的作用也就显而易见了,就是执行父类的构造函数,使得我们能够调用父类的属性。
上面是单继承情况,我们也会遇到多继承情况,用法类似,但是相比另一种Root.__init__(self),在继承时会跳过重复继承,节省了资源。
还有很多关于super的用法可以参考
super的使用
super() 在 python2、3中的区别
Python3.x 和 Python2.x 的一个区别: Python 3 可以使用直接使用 super().xxx 代替 super(Class, self).xxx :
python3直接写成 super().方法名(参数)
python2必须写成 super(父类,self).方法名(参数)
例:
python3: super().__init__()
python2: super(父类,self).__init__()
Python3.x 实例:
1 2 3 4 5 6 7 8 9 | class A: def add( self , x): y = x + 1 print (y) class B(A): def add( self , x): super ().add(x) b = B() b.add( 2 ) # 3 |
Python2.x 实例:
1 2 3 4 5 6 7 8 9 10 11 12 | #!/usr/bin/python # -*- coding: UTF-8 -*- class A( object ): # Python2.x 记得继承 object def add( self , x): y = x + 1 print (y) class B(A): def add( self , x): super (B, self ).add(x) b = B() b.add( 2 ) # 3 |
总结
到此这篇关于Python中super().__init__()测试以及理解的文章就介绍到这了
原文链接:https://blog.csdn.net/qq_38787214/article/details/87902291