Python Apply Decorator To Every Method In A Class Without Inspect
Slightly modifying the answer from Applying python decorators to methods in a class, it is possible to apply a decorator to every method in a class. Is there any way to do this wit
Solution 1:
Define a meta class and then just apply decorator at the end of class definition.
classClassname:
deffoo(self): passfor name, fn in inspect.getmembers(Classname):
ifisinstance(fn, types.UnboundMethodType):
setattr(Classname, name, decorator(fn))
For Python 3 just replace the types.UnboundMethodType
with types.FunctionType.
but if you really don;t wanna use inspect than you can do it like this
import types
classDecoMeta(type):
def__new__(cls, name, bases, attrs):
for attr_name, attr_value in attrs.iteritems():
ifisinstance(attr_value, types.FunctionType):
attrs[attr_name] = cls.deco(attr_value)
returnsuper(DecoMeta, cls).__new__(cls, name, bases, attrs)
@classmethoddefdeco(cls, func):
defwrapper(*args, **kwargs):
print"before",func.func_name
func(*args, **kwargs)
print"after",func.func_name
return wrapper
classMyKlass(object):
__metaclass__ = DecoMeta
deffunc1(self):
pass
MyKlass().func1()
Output:
before func1 after func1
Note: it will not decorate staticmethod and classmethod
Post a Comment for "Python Apply Decorator To Every Method In A Class Without Inspect"