python中super是一個用來調用父類的方法,主要用來解決多重繼承問題的,如果直接用類名調用父類方法在使用單繼承的時候沒問題,但是如果使用多繼承,會涉及到查找順序、重復調用等種種問題;super的語法格式為:“super(type[, object-or-type])”。
具體使用步驟:
1、首先打開python編輯器,新建一個python項目。
2、在python項目中直接使用super函數調用父類。
示例代碼:
#!/usr/bin/python
# -*- coding: UTF-8 -*-
class FooParent(object):
def __init__(self):
self.parent = 'I\'m the parent.'
print ('Parent')
def bar(self,message):
print ("%s from Parent" % message)
class FooChild(FooParent):
def __init__(self):
#super(FooChild,self)首先找到FooChild的父類(就是類FooParent),然后把類FooChild的對象轉換為類FooParent的對象
super(FooChild,self).__init__()
print ('Child')
def bar(self,message):
super(FooChild, self).bar(message)
print ('Child bar fuction')
print (self.parent)
if __name__ == '__main__':
fooChild = FooChild()
fooChild.bar('HelloWorld')
輸出結果:
Parent
Child
HelloWorld from Parent
Child bar fuction
I'm the parent.