為什么需要super
在python沒有引入super之前, 如果需要在子類中引用父類的方法, 一般寫法如下:
class Father: def whoami(self):  print("I am father")class Child: def whoami(self):  print("I am child")  Father.whoami(self)這樣看好像沒什么問題, 就算沒有super也能正常調用父類的方法, 但是如果有一天Father類需要修改類名為Father1, 那么子類Child中也必須跟著修改.
想象下如果一個類有很多個子類, 這樣一來我們就需要修改每個子類中引用父類的語句
怎么使用super
Help on class super in module builtins:class super(object) | super() -> same as super(__class__, <first argument>) | super(type) -> unbound super object | super(type, obj) -> bound super object; requires isinstance(obj, type) | super(type, type2) -> bound super object; requires issubclass(type2, type) | Typical use to call a cooperative superclass method: | class C(B): | def meth(self, arg): | super().meth(arg) | This works for class methods too: | class C(B): | @classmethod | def cmeth(cls, arg): | super().cmeth(arg)
我們來看看super的幫助文檔, 首先super是一個類, 它的調用方法有如下幾種:
1.super()
2.super(type)
3.super(type, obj)
4.super(type, type2)
我們推薦用第一種方法來使用super, 因為它并不需要顯式傳遞任何參數(shù).但是要注意一點, super只能在新式類中使用.
class A: def __init__(self):  print("this is A")class B(A): def __init__(self):  super().__init__()  print("this is B")b = B()"""this is Athis is B"""看起來super就像直接調用了B的父類A的__init__, 其實并不是這樣的, 我們看看super在多繼承下的使用
class A: def __init__(self):  print("this is A")  print("leave A")class B(A): def __init__(self):  print("this is B")  super().__init__()  print("leave B")class C(A): def __init__(self):  print("this is C")  super().__init__()  print("leave C") class D(B, C): def __init__(self):  print("this is D")  super().__init__()  print("leave D")    d = D()"""this is Dthis is Bthis is Cthis is Aleave Aleave Cleave Bleave D"""print(D.__mro__)"""(<class '__main__.D'>, <class '__main__.B'>, <class '__main__.C'>, <class '__main__.A'>, <class 'object'>)"""這里可以看到, 如果super只是簡單調用父類的方法的話, 那么調用了B的__init__ 方法之后, 應該調用A的__init__ 才對, 但是調用的卻是C的__init__ 方法
這是因為super調用的是當前類在MRO列表中的后一個類, 而并不是簡單地調用當前類的父類
python并沒有強制性限制我們使用super調用父類, 我們還是可以使用原始的方法來調用父類中的方法, 但是需要注意的是調用父類的方法要統(tǒng)一, 即全用super或全不用super, 而用super 的話, 調用的方式也最好是統(tǒng)一的
新聞熱點
疑難解答