記得之前learn python一書裡面,因為當時沒有官方支援,只能通過hack的方式實現抽象方法,具體如下 最簡單的寫法
class MyCls(): def foo(self): print('method no implement')啟動並執行例子>>> a = MyCls()>>> a.foo()method no implement>>>
這樣雖然可以用,但是提示不明顯,還是容易誤用,當然,還有更好的方法 較為可以接受的寫法
class MyCls(): def foo(self): raise Exception('no implement exception', 'foo method need implement')
一個簡單的用例
>>> a = MyCls()>>> a.foo()Traceback (most recent call last): File "", line 1, in File "", line 3, in fooException: ('no implement exception', 'foo method need implement')
這就是2.7之前的寫法了,2.7給了我們新的支援方法!abc模組(abstruct base class),這個在py3k中已經實現,算是back port吧。
我們來看看新的寫法
from abc import ABCMeta from abc import ABCMeta,abstractmethod class Foo(): __metaclass__ = ABCMeta @abstractmethod def bar(self): pass
運行效果
>>> 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 "", line 1, in TypeError: Can't instantiate abstract class C with abstract methods bar>>>