這篇文章主要介紹了Python抽象類的新寫法,本文講解了老版本中的hack方式實現抽象類,以及2.7以後使用abstractmethod模塊寫抽象類的方法,需要的朋友可以參考下
記得之前learn python一書裡面,因為當時沒有官方支持,只能通過hack的方式實現抽象方法,具體如下 最簡單的寫法
?
1 2 3 4 5 6 7 8 9 10 11 class MyCls(): def foo(self): print('method no implement') 運行的例子 >>> a = MyCls() >>> a.foo() method no implement >>>這樣雖然可以用,但是提示不明顯,還是容易誤用,當然,還有更好的方法 較為可以接受的寫法
?
1 2 3 class MyCls(): def foo(self): raise Exception('no implement exception', 'foo method need implement')一個簡單的用例
?
1 2 3 4 5 6 >>> a = MyCls() >>> a.foo() Traceback (most recent call last): File "<interactive input>", line 1, in <module> File "<clipboard>", line 3, in foo Exception: ('no implement exception', 'foo method need implement')這就是2.7之前的寫法了,2.7給了我們新的支持方法!abc模塊(abstruct base class),這個在py3k中已經實現,算是back port吧。
我們來看看新的寫法
?
1 2 3 4 5 6 7 8 9 from abc import ABCMeta from abc import ABCMeta,abstractmethod class Foo(): __metaclass__ = ABCMeta @abstractmethod def bar(self): pass運行效果
?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 >>> class B(Foo): ... def bar(self): ... pass ... >>> B() <__main__.B object at 0x02EE7B50> >>> B().bar() >>> class C(Foo): ... pass ... >>> C().bar() Traceback (most recent call last): File "<interactive input>", line 1, in <module> TypeError: Can't instantiate abstract class C with abstract methods bar >>>