是否有可能在Python中创建抽象类?

我如何在Python中创建类或方法摘要?

我尝试重新定义__new__()像这样:

class F:
    def __new__(cls):
        raise Exception("Unable to create an instance of abstract class %s" %cls)

但是现在如果我创建了一个从F继承的类G ,如下所示:

class G(F):
    pass

那么我也不能实例化G ,因为它调用了它的超类的__new__方法。

有没有更好的方法来定义一个抽象类?


使用abc模块创建抽象类。 使用abstractmethod装饰器来声明一个方法abstract,并根据你的Python版本使用三种方法之一声明一个类的抽象。

在Python 3.4及更高版本中,您可以继承ABC 。 在早期版本的Python中,您需要将类的元类指定为ABCMeta 。 指定元类在Python 3和Python 2中具有不同的语法。三种可能性如下所示:

# Python 3.4+
from abc import ABC, abstractmethod
class Abstract(ABC):
    @abstractmethod
    def foo(self):
        pass
# Python 3.0+
from abc import ABCMeta, abstractmethod
class Abstract(metaclass=ABCMeta):
    @abstractmethod
    def foo(self):
        pass
# Python 2
from abc import ABCMeta, abstractmethod
class Abstract:
    __metaclass__ = ABCMeta

    @abstractmethod
    def foo(self):
        pass

无论使用哪种方式,您都无法实例化具有抽象方法的抽象类,但可以实例化提供这些方法的具体定义的子类:

>>> Abstract()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Can't instantiate abstract class Abstract with abstract methods foo
>>> class StillAbstract(Abstract):
...     pass
... 
>>> StillAbstract()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Can't instantiate abstract class StillAbstract with abstract methods foo
>>> class Concrete(Abstract):
...     def foo(self):
...         print('Hello, World')
... 
>>> Concrete()
<__main__.Concrete object at 0x7fc935d28898>

老派(pre-PEP 3119)的方法是在抽象方法被调用时在抽象类中raise NotImplementedError

class Abstract(object):
    def foo(self):
        raise NotImplementedError('subclasses must override foo()!')

class Derived(Abstract):
    def foo(self):
        print 'Hooray!'

>>> d = Derived()
>>> d.foo()
Hooray!
>>> a = Abstract()
>>> a.foo()
Traceback (most recent call last): [...]

这与使用abc模块的功能不同。 您仍然可以实例化抽象基类本身,并且直到在运行时调用抽象方法时才会发现自己的错误。

但是,如果你正在处理一小组简单的类,也许只需要几个抽象方法,这种方法比试图通过abc文档更容易一些。


这一个将在python 3中工作

from abc import ABCMeta, abstractmethod

class Abstract(metaclass=ABCMeta):

    @abstractmethod
    def foo(self):
        pass

Abstract()
>>> TypeError: Can not instantiate abstract class Abstract with abstract methods foo
链接地址: http://www.djcxy.com/p/6573.html

上一篇: Is it possible to make abstract classes in Python?

下一篇: How to make a Python script standalone executable to run without ANY dependency?