我可能来自不同的心态,主要是C ++程序员。这个问题与Python中的OOP有关,更具体地说是纯虚方法。所以从我this question改编的代码我正在看这个基本样本。
class Animal():
def speak(self):
print("...")
class Cat(Animal):
def speak(self):
print("meow")
class Dog(Animal):
def speak(self):
print("woof")
my_pets = [Dog(), Cat(), Dog()]
for _pet in my_pets:
_pet.speak()
所以你看到它为不同的派生类调用了speak函数。现在我的问题是 duck typing 都很好,我想我已经掌握了它。但是,在Python中追求更严格的OOP是不对的?所以我查看了Abstract Base Classes,特别是abstractmethod。对我来说,这似乎是允许我用super调用基类方法。是否有任何方法/原因(在Python中)使speak()
纯粹,以便在没有说话的情况下实现派生动物会引发错误?
我对这种追求的论证是在编写你打算让人们进行子类化的模块和框架时,这会为他们自己记录他们需要实现这个功能的事实。一个可能非常糟糕的想法就是这样,拥有基类"纯粹"函数抛出异常。问题是在运行时发现了这个错误!
class VirtualException(BaseException):
def __init__(self, _type, _func):
BaseException(self)
class Animal():
def speak(self):
raise VirtualException()
class Cat(Animal):
def speak(self):
print("meow")
class Dog(Animal):
def speak(self):
print("woof")
class Wildebeest(Animal):
def function2(self):
print("What!")
my_pets = [Dog(), Cat(), Dog(), Wildebeest()]
for _pet in my_pets:
_pet.speak()
答案 0 :(得分:17)
抽象基类已经做了你想要的。 abstractmethod
与让您使用super
调用方法无关;你无论如何都可以做到这一点。相反,必须覆盖用abstractmethod
修饰的任何方法,以使子类可以实例化:
>>> class Foo(metaclass=abc.ABCMeta):
... @abc.abstractmethod
... def foo(self):
... pass
...
>>> class Bar(Foo):
... pass
...
>>> class Baz(Bar):
... def foo(self):
... return super(Baz, self).foo()
...
>>> Foo()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: Can't instantiate abstract class Foo with abstract methods foo
>>> Bar()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: Can't instantiate abstract class Bar with abstract methods foo
>>> Baz()
<__main__.Baz object at 0x00000210D702E2B0>
>>> class Foo(object):
... __metaclass__ = abc.ABCMeta
... @abc.abstractmethod
... def foo(self): pass
...
>>> class Bar(Foo): pass
...
>>> class Baz(Bar):
... def foo(self): return super(Baz, self).foo()
...
>>> Foo()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: Can't instantiate abstract class Foo with abstract methods foo
>>> Bar()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: Can't instantiate abstract class Bar with abstract methods foo
>>> Baz()
<__main__.Baz object at 0x0000000001EC10B8>
答案 1 :(得分:7)
问题是在运行时发现了这个错误!
嗯,这是Python ......大多数错误都会在运行时出现。
据我所知,Python中最常见的处理模式基本上就是你所描述的:只需让基类&#39; speak
方法抛出异常:
class Animal():
def speak(self):
raise NotImplementedError('You need to define a speak method!')