如其他答案所述,是的,您可以使用abc
模块在Python中使用抽象类。下面我举个实际的例子使用抽象@classmethod
,@property
和@abstractmethod
(使用Python 3.6+)。对我而言,通常更容易从示例开始,我可以轻松地复制和粘贴;我希望这个答案对其他人也有用。
首先创建一个名为的基类Base
:
from abc import ABC, abstractmethod
class Base(ABC):
@classmethod
@abstractmethod
def from_dict(cls, d):
pass
@property
@abstractmethod
def prop1(self):
pass
@property
@abstractmethod
def prop2(self):
pass
@prop2.setter
@abstractmethod
def prop2(self, val):
pass
@abstractmethod
def do_stuff(self):
pass
我们的Base
类将始终具有from_dict
classmethod
,a property
prop1
(只读)和a property
prop2
(也可以设置)以及称为的函数do_stuff
。现在构建的任何类都Base
将必须为方法/属性实现所有这些。请注意,要使方法抽象,则需要两个装饰器- classmethod
和abstract property
。
现在我们可以创建一个A
这样的类:
class A(Base):
def __init__(self, name, val1, val2):
self.name = name
self.__val1 = val1
self._val2 = val2
@classmethod
def from_dict(cls, d):
name = d['name']
val1 = d['val1']
val2 = d['val2']
return cls(name, val1, val2)
@property
def prop1(self):
return self.__val1
@property
def prop2(self):
return self._val2
@prop2.setter
def prop2(self, value):
self._val2 = value
def do_stuff(self):
print('juhu!')
def i_am_not_abstract(self):
print('I can be customized')
所有必需的方法/属性均已实现,我们当然可以添加不属于Base
(here :)的其他功能i_am_not_abstract
。
现在我们可以做:
a1 = A('dummy', 10, 'stuff')
a2 = A.from_dict({'name': 'from_d', 'val1': 20, 'val2': 'stuff'})
a1.prop1
# prints 10
a1.prop2
# prints 'stuff'
无法根据需要设置prop1
:
a.prop1 = 100
将返回
AttributeError:无法设置属性
我们的from_dict
方法也可以正常工作:
a2.prop1
# prints 20
如果我们现在这样定义第二个类B
:
class B(Base):
def __init__(self, name):
self.name = name
@property
def prop1(self):
return self.name
并尝试实例化这样的对象:
b = B('iwillfail')
我们会得到一个错误
TypeError:无法使用抽象方法do_stuff,from_dict,prop2实例化抽象类B
列出Base
我们未在其中实现的所有定义的事物B
。