ideas aquí propuestas son excelentes, pero tienen algunas desventajas:
inspect.getouterframes
y args[0].__class__.__name__
no son adecuados para las funciones de desnudos y de los métodos estáticos.
__get__
debe estar en una clase, que se rechaza por @wraps
.
@wraps
en sí debería estar ocultando los rastros mejor.
lo tanto, me he combinado algunas ideas de esta página, enlaces, documentos y mi propia cabeza,
y finalmente encontré una solución, que carece de los tres desventajas anteriormente.
Como resultado, method_decorator
:
- conoce la clase el método decorado está enlazado.
- Oculta los rastros de decorador respondiendo a los atributos del sistema más correctamente que
functools.wraps()
.
- Está cubierto con pruebas unitarias para vincular un método de instancia independiente, métodos de clase, métodos estáticos y funciones simples.
Uso:
pip install method_decorator
from method_decorator import method_decorator
class my_decorator(method_decorator):
# ...
Ver full unit-tests for usage details.
Y aquí es sólo el código de la clase method_decorator
:
class method_decorator(object):
def __init__(self, func, obj=None, cls=None, method_type='function'):
# These defaults are OK for plain functions
# and will be changed by __get__() for methods once a method is dot-referenced.
self.func, self.obj, self.cls, self.method_type = func, obj, cls, method_type
def __get__(self, obj=None, cls=None):
# It is executed when decorated func is referenced as a method: cls.func or obj.func.
if self.obj == obj and self.cls == cls:
return self # Use the same instance that is already processed by previous call to this __get__().
method_type = (
'staticmethod' if isinstance(self.func, staticmethod) else
'classmethod' if isinstance(self.func, classmethod) else
'instancemethod'
# No branch for plain function - correct method_type for it is already set in __init__() defaults.
)
return object.__getattribute__(self, '__class__')(# Use specialized method_decorator (or descendant) instance, don't change current instance attributes - it leads to conflicts.
self.func.__get__(obj, cls), obj, cls, method_type) # Use bound or unbound method with this underlying func.
def __call__(self, *args, **kwargs):
return self.func(*args, **kwargs)
def __getattribute__(self, attr_name): # Hiding traces of decoration.
if attr_name in ('__init__', '__get__', '__call__', '__getattribute__', 'func', 'obj', 'cls', 'method_type'): # Our known names. '__class__' is not included because is used only with explicit object.__getattribute__().
return object.__getattribute__(self, attr_name) # Stopping recursion.
# All other attr_names, including auto-defined by system in self, are searched in decorated self.func, e.g.: __module__, __class__, __name__, __doc__, im_*, func_*, etc.
return getattr(self.func, attr_name) # Raises correct AttributeError if name is not found in decorated self.func.
def __repr__(self): # Special case: __repr__ ignores __getattribute__.
return self.func.__repr__()
No es exactamente una respuesta, pero encontró este artículo para cubrir las cosas en profundidad http://bit.ly/1NsBLmx – apcelent