代码之家  ›  专栏  ›  技术社区  ›  user357269

保留签名的Python decorator(闭包版本)

  •  3
  • user357269  · 技术社区  · 6 年前

    我的装修风格是“封闭式”;它在返回修饰函数之前做一些工作。

    Preserving signatures of decorated functions

    def args_as_ints(f):
    
        time.sleep(1) # hard at work
    
        def g(*args, **kwargs):
            args = [int(x) for x in args]
            kwargs = dict((k, int(v)) for k, v in kwargs.items())
            return f(*args, **kwargs)
        return g
    

    functools.wraps 在Python2中不保留签名。

    from functools import wraps
    
    def args_as_ints(f):
    
        time.sleep(1) # hard at work
    
        @wraps(f) 
        def g(*args, **kwargs):
            args = [int(x) for x in args]
            kwargs = dict((k, int(v)) for k, v in kwargs.items())
            return f(*args, **kwargs)
        return g
    
    
    @args_as_ints
    def funny_function(x, y, z=3):
        """Computes x*y + 2*z"""
        return x*y + 2*z
    
    help(funny_function)
    

    显示

    Help on function funny_function in module __main__:
    
    funny_function(*args, **kwargs)
        Computes x*y + 2*z
    

    decorator 模块似乎不支持这种装饰器样式。

    也相关: Preserve Signature in Decorator python 2

    2 回复  |  直到 6 年前
        1
  •  0
  •   Aran-Fey Kevin    6 年前

    wrapt 模块。

    请记住 decorator的接口与标准python decorator不同。我强烈建议你读这本书 wrapt documentation . 不管怎样,这里有一个基本的decorator实现 wrapt.decorator :

    import wrapt
    
    def args_as_ints(f):
        time.sleep(1) # hard at work
    
        @wrapt.decorator
        def g(f, instance, *args, **kwargs):
            args = [int(x) for x in args]
            kwargs = dict((k, int(v)) for k, v in kwargs.items())
            return f(*args, **kwargs)
    
        return g(f)  # apply the decorator to the function
    

    instance

    但是,它确实保留了修饰函数的签名:

    Help on function funny_function in module __main__:
    
    funny_function(x, y, z=3)
        Computes x*y + 2*z
    
        2
  •  0
  •   user357269    6 年前

    https://decorator.readthedocs.io/en/latest/tests.documentation.html#dealing-with-third-party-decorators

    def args_as_ints(f):
    
        time.sleep(1)
    
        def g(*args, **kwargs):
            args = [int(x) for x in args]
            kwargs = dict((k, int(v)) for k, v in kwargs.items())
            return f(*args, **kwargs)
    
        return decorator.FunctionMaker.create(
            f, 'return decfunc(%(signature)s)',
            dict(decfunc=g, __wrapped__=f))