为函数中的全局变量赋值时,为什么在赋值"之前引用了"错误?

2022-02-26 00:00:00 python global-variables

问题描述

在Python中,我收到以下错误:

UnboundLocalError: local variable 'total' referenced before assignment

在文件的开头(在错误所在的函数之前),我使用global关键字声明total。然后,在程序体中,在调用使用total的函数之前,我将其赋值为0。我已尝试在不同位置(包括声明之后的文件顶部)将其设置为0,但无法使其正常工作。

有人看到我做错了什么吗?


解决方案

我认为您错误地使用了"GLOBAL"。请参见Python reference。您应该声明不带GLOBAL的变量,然后在函数内部,当您想要访问全局变量时,您可以声明它global yourvar

#!/usr/bin/python

total

def checkTotal():
    global total
    total = 0

请参见此示例:

#!/usr/bin/env python

total = 0

def doA():
    # not accessing global total
    total = 10

def doB():
    global total
    total = total + 1

def checkTotal():
    # global total - not required as global is required
    # only for assignment - thanks for comment Greg
    print total

def main():
    doA()
    doB()
    checkTotal()

if __name__ == '__main__':
    main()

因为doA()不修改全局合计,所以输出为%1而不是%11。

相关文章