python decorators, nested function [duplicate]

霸气de小男生 提交于 2021-01-27 14:33:39

问题


I'm trying to figure out why i need a one more nested function when using decorators. Here is an example:

 def func(f):
    def deco(*args, **kwargs):
        return f(*args, **kwargs)
    return deco

@func
def sum(a, b):
    return a+b

print sum(5, 10)

Code works, everything is fine. But why do i need to create nested "deco" function? Let's try without it:

def func(f):
    return f(*args, **kwargs)

@func
def sum(a, b):
    return a+b

print sum(5, 10)

Code fails.

So there are three questions:

  1. Why second sample does not works?
  2. Why args,kwargs are "magically" appears if we are using a nested function?
  3. What can i do, to make 2nd sample work? Except nesting another function, ofcourse.

回答1:


  1. Why second sample does not works?

    Because you are calling the function on the return, you are not returning a function.

  2. Why args,kwargs are "magically" appears if we are using a nested function?

    They don't appear magically, we are declaring them, as in:

    def deco(*args, **kwargs):
    

    These are generic, and will match any function signature (argument list). You don't have to call them args and kwargs, that's just a convention, you could call them sharon and tracy.

  3. What can i do, to make 2nd sample work? Except nesting another function, ofcourse.

    Well you don't say what you expect the 2nd sample to do. But I guess to turn it into a decorator then:

    def func(f):
        return f
    

    But that's not doing a lot!

By the way, it is usually a bad idea to override an existing Python builtin (sum) - you have to have a very good reason for that.



来源:https://stackoverflow.com/questions/29474539/python-decorators-nested-function

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!