local variable 'i' referenced before assignment

def createCounter():
    i=0
    def counter():
        i += 1
        return i
    return counter

运行这段代码的时候会报local variable 'i' referenced before assignment的错误。

原因分析:对于counter()函数,i是非全局的外部变量.当在counter()中对i进行修改时,会将i视作为counter()中的局部变量而屏蔽掉createCounter()中对i的定义,所以就会出现上述的’局部变量尚未分配’的异常.若是仅仅在counter()中进行读取则不会发生上述问题,因为i对counter()是可见的.

解决方法:nonlocal关键字,用来在函数或其他作用域中使用外层(非全局)变量。

修改后的代码

def createCounter():
    i=0
    def counter():
        nonlocal i
        i += 1
        return i

    return counter

你可能感兴趣的:(python)