短縮版
mongo.MongoClient
は、抽象メソッドのように見える (そうですか?) オブジェクトを返します。これを のdbh
フィールドに割り当てますStorage
。これによりStorage
抽象クラスが作成されるため、インスタンス化するとTypeError
.
私は を持っていないので、でどのように処理されるかpymongo
については何も言えません。MongoClient
ABCMeta
ロングバージョン
このABCMeta.__new__
メソッドは、作成する新しいクラスの各フィールド内を調べます。それ自体がTrue
(または「真のような」) __isabstractmethod__
フィールドを持つフィールドは、抽象メソッドと見なされます。クラスにオーバーライドされていない抽象メソッドがある場合、クラス全体が抽象と見なされるため、それをインスタンス化しようとするとエラーになります。
標準ライブラリの以前のバージョンからabc.py
:
def __new__(mcls, name, bases, namespace):
cls = super().__new__(mcls, name, bases, namespace)
# Compute set of abstract method names
abstracts = {name
for name, value in namespace.items()
if getattr(value, "__isabstractmethod__", False)}
# ...
cls.__abstractmethods__ = frozenset(abstracts)
# ...
これはabc.ABCMeta
クラスのドキュメントには記載されていませんが、少し下の@abc.abstractmethod
デコレーターの下にあります。
抽象基本クラス機構と正しく相互運用するために、記述子は を使用して自身を抽象として識別する必要があります__isabstractmethod__
。一般に、この属性はTrue
、記述子を作成するために使用されるメソッドのいずれかが抽象的である場合に指定する必要があります。
例
__isabstractmethod__
属性を持つ偽の「抽象的に見える」クラスと、 2 つのおそらく具象的なAbstractStorage
. 取得している正確なエラーが生成されることがわかります。
#!/usr/bin/env python3
import abc
# I don't have pymongo, so I have to fake it. See CounterfeitAbstractMethod.
#import pymongo as mongo
class CounterfeitAbstractMethod():
"""
This class appears to be an abstract method to the abc.ABCMeta.__new__
method.
Normally, finding an abstract method in a class's namespace means
that class is also abstract, so instantiating that class is an
error.
If a class derived from abc.ABCMeta has an instance of
CounterfeitAbstractMethod as a value anywhere in its namespace
dictionary, any attempt to instantiate that class will raise a
TypeError: Can't instantiate abstract class <classname> with
abstract method <fieldname>.
"""
__isabstractmethod__ = True
class AbstractStorage(metaclass=abc.ABCMeta):
def __init__(self):
"""
Do-nothing initializer that prints the name of the (sub)class
being initialized.
"""
print(self.__class__.__name__ + ".__init__ executing.")
return
class ConcreteStorage(AbstractStorage):
"""
A concrete class that also _appears_ concrete to abc.ABCMeta. This
class can be instantiated normally.
"""
whatever = "Anything that doesn't appear to be an abstract method will do."
class BogusStorage(AbstractStorage):
"""
This is (supposedly) a concrete class, but its whatever field appears
to be an abstract method, making this whole class abstract ---
abc.ABCMeta will refuse to construct any this class.
"""
#whatever = mongo.MongoClient('localhost', 27017)
whatever = CounterfeitAbstractMethod()
def main():
"""
Print details of the ConcreteStorage and BogusStorage classes.
"""
for cls in ConcreteStorage, BogusStorage:
print(cls.__name__ + ":")
print(" whatever field: " + str(cls.whatever))
print(" abstract methods: " + str(cls.__abstractmethods__))
print(" Instantiating...")
print(" ", end="")
# KABOOM! Instantiating BogusStorage will raise a TypeError,
# because it appears to be an _abstract_ class.
instance = cls()
print(" instance: " + str(instance))
print()
return
if "__main__" == __name__:
main()
これを実行すると、次が生成されます。
$ ./storage.py
ConcreteStorage:
whatever field: Anything that doesn't appear to be an abstract method will do.
abstract methods: frozenset()
Instantiating...
ConcreteStorage.__init__ executing.
instance: <__main__.ConcreteStorage object at 0x253afd0>
BogusStorage:
whatever field: <__main__.CounterfeitAbstractMethod object at 0x253ad50>
abstract methods: frozenset({'whatever'})
Instantiating...
Traceback (most recent call last):
File "./storage.py", line 75, in <module>
main()
File "./storage.py", line 68, in main
instance = cls()
TypeError: Can't instantiate abstract class BogusStorage with abstract methods whatever