连续使用PyQt显示下载百分比的方法?

2024-04-20 08:38:57 发布

您现在位置:Python中文网/ 问答频道 /正文

我写了一些从网上下载文件的代码。 下载时,它在PyQt中显示使用QProgressBar的百分比。 但当我下载的时候它就停止了,最后只在下载完成后显示100%。 如何连续显示百分比?在

下面是python代码

#!/usr/bin/env python
# -*- coding: utf-8 -*-
import sys, urllib2
from PyQt4.QtGui import *
from PyQt4.QtCore import *
from PyQt4 import uic
form_class = uic.loadUiType("downloadergui.ui")[0]

class MainWindow(QMainWindow, form_class):
    def __init__(self):
        super(MainWindow, self).__init__() 
        self.setupUi(self)

        self.connect(self.downloadButton, SIGNAL("clicked()"), self.downloader)

    def downloader(self):
        print "download"
        url = "[[Fill in the blank]]"
        file_name = url.split('/')[-1]
        u = urllib2.urlopen(url)
        f = open(file_name, 'wb')
        meta = u.info()
        file_size = int(meta.getheaders("Content-Length")[0])
        self.statusbar.showMessage("Downloading: %s Bytes: %s" % (file_name, file_size))


        file_size_dl = 0
        block_sz = 8192
        while True:
            buffer = u.read(block_sz)
            if not buffer:
                break
            file_size_dl += len(buffer)
            f.write(buffer)
            downloadPercent = int(file_size_dl * 100 / file_size)
            self.downloadProgress.setValue(downloadPercent)
        f.close()
        pass

app = QApplication(sys.argv)
myWindow = MainWindow()
myWindow.show()
app.exec_()

Tags: 代码namefromimportselfurlsizebuffer
1条回答
网友
1楼 · 发布于 2024-04-20 08:38:57

GUI通常作为事件驱动模型工作,这意味着它的工作依赖于从内部和外部接收事件。在

例如,当u setValue向它发出valuechange信号时。在你的例子中,你的下载逻辑u设置了progressbar的值。但是程序处理程序没有机会更新UI,因为你的下载逻辑控制着主线程。在

这就是为什么我们说你不能在主UI线程中执行长时间消耗逻辑。在

在您的例子中,我建议您使用一个新线程来下载和更新进度值,方法是向主线程发出一个信号。在

相关问题 更多 >