我在Python 3装饰器中遇到了一个非常奇怪的问题。
如果我这样做:
def rounds(nr_of_rounds):
def wrapper(func):
@wraps(func)
def inner(*args, **kwargs):
return nr_of_rounds
return inner
return wrapper
它运作得很好。但是,如果我这样做:
def rounds(nr_of_rounds):
def wrapper(func):
@wraps(func)
def inner(*args, **kwargs):
lst = []
while nr_of_rounds > 0:
lst.append(func(*args, **kwargs))
nr_of_rounds -= 1
return max(lst)
return inner
return wrapper
我明白了:
while nr_of_rounds > 0:
UnboundLocalError: local variable 'nr_of_rounds' referenced before assignment
换句话说,如果我在回归中使用它,我可以在内部函数中使用nr_of_rounds
,但我不能用它做任何其他事情。那是为什么?
答案 0 :(得分:15)
由于关闭选择nr_of_rounds
,您可以将其视为"只读"变量。如果你想写它(例如减少它),你需要明确地告诉python - 在这种情况下,python3.x nonlocal
关键字可以工作。
作为一个简短的解释,Cpython在遇到函数定义时会做什么,它会查看代码并确定所有变量是 local 还是非本地。局部变量(默认情况下)是出现在赋值语句左侧,循环变量和输入参数的任何内容。每个其他名称都是非本地的。这允许一些简洁的优化 1 。要以与本地变量相同的方式使用非局部变量,您需要通过global
或nonlocal
语句明确告诉python。当python遇到它认为 应该是本地的东西时,但实际上并非如此,你会得到UnboundLocalError
。
1 Cpython字节码生成器将本地名称转换为数组中的索引,以便本地名称查找(LOAD_FAST字节码指令)与索引数组加上正常的字节码开销一样快
答案 1 :(得分:0)
目前没有办法对封闭函数作用域中的变量做同样的事情,但是Python 3引入了一个新的关键字“nonlocal”,它将以类似于global的方式运行,但是对于嵌套的函数作用域。
所以在你的情况下只需使用:
def inner(*args, **kwargs):
nonlocal nr_of_rounds
lst = []
while nr_of_rounds > 0:
lst.append(func(*args, **kwargs))
nr_of_rounds -= 1
return max(lst)
return inner
有关详细信息Short Description of the Scoping Rules?