73

我正在使用 PyQt 库截取网页的屏幕截图,然后读取不同 URL 的 CSV 文件。我保留了一个变量提要,每次处理 URL 时都会增加,因此应该增加 URL 的数量。

这是代码:

webpage = QWebPage()
fo = open("C:/Users/Romi/Desktop/result1.txt", "w")
feed = 0
def onLoadFinished(result):
    #fo.write( column1[feed])#, column2[feed], urls[feed])
   #feed = 0
   if not result:
        print "Request failed"
    fo.write(column1[feed])
    fo.write(',')
    fo.write(column2[feed])
    fo.write(',')
    #fo.write(urls[feed])
    fo.write(',')
    fo.write('404,image not created\n')
    feed = feed + 1
        sys.exit(1)
        save_page(webpage, outputs.pop(0))   # pop output name from list and save
   if urls:
        url = urls.pop(0)   # pop next url to fetch from list
        webpage.mainFrame().load(QUrl(url))
    fo.write(column1[feed])#,column2[feed],urls[feed],'200','image created','/n')
    fo.write(',')
    fo.write(column2[feed])
    fo.write(',')
    #fo.write(urls[feed])
    fo.write(',')
    fo.write('200,image created\n')
    feed = feed + 1
   else:
        app.quit()  # exit after last url

webpage.connect(webpage, SIGNAL("loadFinished(bool)"), onLoadFinished)
webpage.mainFrame().load(QUrl(urls.pop(0)))
#fo.close()
sys.exit(app.exec_())

它给了我错误:

local variable feed referenced before the assignment at fo.write(column1[feed])#,column2[feed],urls[feed],'200','image created','/n')

知道为什么吗?

4

5 回答 5

110

当 Python 解析函数定义的主体并遇到诸如

feed = ...

Pythonfeed默认解释为局部变量。如果你不希望它是一个局部变量,你必须把

global feed

在函数定义中。全局语句不必位于函数定义的开头,但通常放置在此处。无论放在哪里,全局声明都会函数中的任何位置创建feed一个全局变量。

没有 global 语句,因为feed在 Python 执行时被视为局部变量

feed = feed + 1,

Python 首先计算右侧并尝试查找 feed 的值。第一次通过它发现feed是未定义的。因此错误。

修补代码的最短方法是添加global feedonLoadFinished. 更好的方法是使用一个类:

class Page(object):
    def __init__(self):
        self.feed = 0
    def onLoadFinished(self, result):
        ...
        self.feed += 1

拥有改变全局变量的函数的问题在于它使你的代码更难理解。函数不再是孤立的单元。它们的相互作用延伸到影响或受全局变量影响的所有事物。因此,它使较大的程序更难理解。

通过避免改变全局变量,从长远来看,您的代码将更容易理解、测试和维护。

于 2013-08-01T19:31:09.433 回答
44

在你的函数顶部放一个全局语句,你应该很好:

def onLoadFinished(result):
    global feed
    ...

为了证明我的意思,看看这个小测试:

x = 0
def t():
    x += 1
t()

这会导致与您完全相同的错误,其中:

x = 0
def t():
    global x
    x += 1
t()

才不是。

这样做的原因是,在内部t,Python 认为这x是一个局部变量。此外,除非您明确告诉它x是全局变量,否则它将尝试使用名为xin的局部变量x += 1x但是,由于在 的本地范围内没有定义t,因此会引发错误。

于 2013-08-01T19:30:22.213 回答
13

当 Python 解释器读取函数的定义(或者,我认为,甚至是缩进代码块)时,分配给函数内部的所有变量都会添加到该函数的局部变量中。如果局部变量在赋值之前没有定义,Python 解释器不知道该怎么做,所以它会抛出这个错误。

这里的解决方案是添加

global feed

到您的函数(通常靠近顶部)以向解释器指示 feed 变量不是该函数的本地变量。

于 2013-08-01T19:30:36.217 回答
0

在我的情况下,完全相同的错误是由错字触发的!我以为我的 var 名称是

varAlpha

但在我定义的代码中

varalpha

并得到错误

UnboundLocalError: local variable 'varAlpha' referenced before assignment

打电话时varAlpha

我希望有一天它可以帮助某人搜索该错误并想知道(因为我对那个错误的搜索导致我来到这里,而与使用全局或非全局无关,这是一个令人头疼的问题!)

于 2021-06-23T15:49:36.407 回答
0

您可以对功能范围这样做

def main()

  self.x = 0

  def incr():
    self.x += 1
  
  for i in range(5):
     incr()
  
  print(self.x)
于 2021-10-26T22:16:36.307 回答