デコレータをクラスとして定義することによってクラスを装飾する簡単な例は何ですか?
Bruce Eckelが説明しているように関数ではないクラスを使用することを除いて、Python 2.6を使用して PEP 3129 を使用して実装されていることを達成しようとしています ここ 。
次の作品:
class Decorator(object):
def __init__(self, arg):
self.arg = arg
def __call__(self, cls):
def wrappedClass(*args):
return cls(*args)
return type("TestClass", (cls,), dict(newMethod=self.newMethod, classattr=self.arg))
def newMethod(self, value):
return value * 2
@Decorator("decorated class")
class TestClass(object):
def __init__(self):
self.name = "TestClass"
print "init %s"%self.name
def TestMethodInTestClass(self):
print "test method in test class"
def newMethod(self, value):
return value * 3
ただし、上記の場合、wrappedClassはクラスではなく、クラス型を返すように操作される関数です。私は次のように同じcallableを書きたいと思います:
def __call__(self, cls):
class wrappedClass(cls):
def __init__(self):
... some code here ...
return wrappedClass
これはどのように行われますか?
何が入るのか完全にはわかりません "" "...ここにいくつかのコード..." ""
new_method()
を上書きしたい場合は、次のようにしてください。
_class Decorator(object):
def __init__(self, arg):
self.arg = arg
def __call__(self, cls):
class Wrapped(cls):
classattr = self.arg
def new_method(self, value):
return value * 2
return Wrapped
@Decorator("decorated class")
class TestClass(object):
def new_method(self, value):
return value * 3
_
__init__()
を変更したくない場合は、上書きする必要はありません。
この後、クラスNormalClassはClassWrapperになりますインスタンス:
def decorator(decor_arg):
class ClassWrapper:
def __init__(self, cls):
self.other_class = cls
def __call__(self,*cls_ars):
other = self.other_class(*cls_ars)
other.field += decor_arg
return other
return ClassWrapper
@decorator(" is now decorated.")
class NormalClass:
def __init__(self, name):
self.field = name
def __repr__(self):
return str(self.field)
テスト:
if __name__ == "__main__":
A = NormalClass('A');
B = NormalClass('B');
print A
print B
print NormalClass.__class__
出力:
A is now decorated. <br>
B is now decorated. <br>
\__main__.classWrapper