我想在某些类中记录每个方法调用。我本可以做到
class Class1(object):
@log
def method1(self, *args):
...
@log
def method2(self, *args):
...
但是我在每个班级都有很多方法,而且我不想单独装饰每一个。目前,我尝试使用带有元类的hack(覆盖我记录的类'__getattribute__
,这样如果我尝试获取方法,它将返回一个日志记录方法):
class LoggedMeta(type):
def __new__(cls, name, bases, attrs):
def __getattribute__(self, name_):
attr = super().__getattribute__(name_)
if isinstance(attr, (types.MethodType, types.FunctionType)) and not name_.startswith("__"):
return makeLogged(attr) #This returns a method that first logs the method call, and then calls the original method.
return attr
attrs["__getattribute__"] = __getattribute__
return type.__new__(cls, name, bases, attrs)
class Class1(object):
__metaclass__ = LoggedMeta
def method1(self, *args):
...
但是,我使用的是Python 2.X,而super()语法不起作用。当我调用super时,我没有__getattribute__
的类(但我确实有它的类名),所以我不能使用旧的超级语法super(Class, Inst)
。
我之前尝试过使用元类,但是覆盖了所有方法而不是__getattribute__
,但我也想记录静态方法调用,它们给了我一些麻烦。
我搜索了这类问题,但发现没有人试图以这种方式改变课程。
非常感谢任何想法或帮助。
编辑: 我的解决方案就是这个(主要来自this线程):
import inspect, types
CLASS = 0
NORMAL = 1
STATIC = 2
class DecoratedMethod(object):
def __init__(self, func, type_):
self.func = func
self.type = type_
def __get__(self, obj, cls=None):
def wrapper(*args, **kwargs):
print "before"
if self.type == CLASS:
#classmethods (unlike normal methods) reach this stage as bound methods, but args still contains the class
#as a first argument, so we omit it.
ret = self.func(*(args[1:]), **kwargs)
else:
ret = self.func(*args, **kwargs)
print "after"
return ret
for attr in "__module__", "__name__", "__doc__":
setattr(wrapper, attr, getattr(self.func, attr))
if self.type == CLASS:
return types.MethodType(wrapper, cls, type)
elif self.type == NORMAL:
return types.MethodType(wrapper, obj, cls)
else:
return wrapper
def decorate_class(cls):
for name, meth in inspect.getmembers(cls):
if inspect.ismethod(meth):
if inspect.isclass(meth.im_self):
# meth is a classmethod
setattr(cls, name, DecoratedMethod(meth, CLASS))
else:
# meth is a regular method
setattr(cls, name, DecoratedMethod(meth, NORMAL))
elif inspect.isfunction(meth):
# meth is a staticmethod
setattr(cls, name, DecoratedMethod(meth, STATIC))
return cls
@decorate_class
class MyClass(object):
def __init__(self):
self.a = 10
print "__init__"
def foo(self):
print self.a
@staticmethod
def baz():
print "baz"
@classmethod
def bar(cls):
print "bar"
后来我把它清理了一下,但那是解决方案的本质。我需要类,静态和普通方法之间的这种区别,因为我想要
inst = MyClass()
assert type(inst.baz) == types.FunctionType
assert type(inst.foo) == types.MethodType
assert type(inst.bar) == types.MethodType
答案 0 :(得分:9)
为什么不改变类对象?
您可以使用dir(MyClass)
查看类中的方法,并将其替换为包装版本......例如:
def logify(klass):
for member in dir(klass):
if not callable(getattr(klass, method))
continue # skip attributes
setattr(klass, method, log(method))
用这样的东西修补......应该有用......
答案 1 :(得分:2)
类装饰器可以在这里提供帮助。装饰整个类并将记录功能添加到该类具有的所有可调用属性。
答案 2 :(得分:0)
我建议从this SO post获取for_all_methods装饰器,然后你的代码就是
@for_all_methods(log)
class Class1():
def method1(self): pass
...
答案 3 :(得分:0)
如果目标是仅通过记录调用和响应使代码更易于调试,请签出“自动记录”模块。只需一个注解即可=)
https://pythonhosted.org/Autologging/examples-traced.html
pip install Autologging
。
# my_module.py
from autologging import traced
@traced
class MyClass:
def __init__(self):
self._value = "ham"
def my_method(self, arg, keyword=None):
return "%s, %s, and %s" % (arg, self._value, keyword)
。
>>> import logging, sys
>>> from autologging import TRACE
>>> logging.basicConfig(level=TRACE, stream=sys.stdout,
... format="%(levelname)s:%(name)s:%(funcName)s:%(message)s")
>>> from my_module import MyClass
>>> my_obj = MyClass()
TRACE:my_module.MyClass:__init__:CALL *() **{}
TRACE:my_module.MyClass:__init__:RETURN None
>>> my_obj.my_method("spam", keyword="eggs")
TRACE:my_module.MyClass:my_method:CALL *('spam',) **{'keyword': 'eggs'}
TRACE:my_module.MyClass:my_method:RETURN 'spam, ham, and eggs'
'spam, ham, and eggs'