如何获取装饰函数的参数规格?
我需要在一个装饰器里面查看一个函数的参数信息(用 inspect.getargspec)。
def decor(func):
@wraps(func)
def _decor(*args, **kwargs):
return func(*args, **kwargs)
return _decor
@decor
def my_func(key=1, value=False):
pass
我想要检查被包装的 "my_func",并返回它的关键参数和默认值。看起来 inspect.getargspec 没法获取到正确的函数。
(顺便说一下,我需要这个来进行一些运行时的检查/验证,以及后续的文档生成)
2 个回答
5
我写了一个简单的类,可以实现你想要的功能。这个类的作用和 functools.wraps
一样,还能保持函数的签名(从 getargspec
的角度来看)。想了解更多信息,可以查看我在这里的文档说明。
注意:这个方法只适用于装饰函数,不适用于类的方法。
import types
class decorator(object):
def __getattribute__(self, name):
if name == '__class__':
# calling type(decorator()) will return <type 'function'>
# this is used to trick the inspect module >:)
return types.FunctionType
return super(decorator, self).__getattribute__(name)
def __init__(self, fn):
# let's pretend for just a second that this class
# is actually a function. Explicity copying the attributes
# allows for stacked decorators.
self.__call__ = fn.__call__
self.__closure__ = fn.__closure__
self.__code__ = fn.__code__
self.__doc__ = fn.__doc__
self.__name__ = fn.__name__
self.__defaults__ = fn.__defaults__
self.func_defaults = fn.func_defaults
self.func_closure = fn.func_closure
self.func_code = fn.func_code
self.func_dict = fn.func_dict
self.func_doc = fn.func_doc
self.func_globals = fn.func_globals
self.func_name = fn.func_name
# any attributes that need to be added should be added
# *after* converting the class to a function
self.args = None
self.kwargs = None
self.result = None
self.function = fn
def __call__(self, *args, **kwargs):
self.args = args
self.kwargs = kwargs
self.before_call()
self.result = self.function(*args, **kwargs)
self.after_call()
return self.result
def before_call(self):
pass
def after_call(self):
pass
简单地通过子类化创建一个新的装饰器
import time
class timeit(decorator):
def before_call(self):
self.start = time.time()
def after_call(self):
end = time.time()
print "Function {0} took {1} seconds to complete.".format(
self.__name__, end - self.start
)
@timeit
def my_really_cool_function(a, b, c, d='asdf', q='werty'):
time.sleep(5)
像使用普通装饰函数一样使用它
args = inspect.getargspec(my_really_cool_function)
print args
my_really_cool_function(1,2,3,4,5)
输出结果
ArgSpec(args=['a', 'b', 'c', 'd', 'q'], varargs=None,
keywords=None, defaults=('asdf', 'werty'))
Function my_really_cool_function took 5.0 seconds to complete.
14
如果你使用Michele Simionato的decorator模块来装饰你的函数,decorator.decorator
会保留原始函数的签名。
import inspect
import decorator
@decorator.decorator
def decor(my_func,*args,**kw):
result=my_func(*args,**kw)
return result
@decor
def my_func(key=1, value=False):
pass
decorated_argspec = inspect.getargspec(my_func)
print(decorated_argspec)
# ArgSpec(args=['key', 'value'], varargs=None, keywords=None, defaults=(1, False))