python - 如何线程化一个 wxpython 进度条 GUI?

标签 python python-3.x multithreading user-interface wxpython

我正在尝试弄清楚如何向我正在制作的 GUI 安装程序添加进度条。问题实际上是使进度条起作用。我已经实现了它,但它会在中途卡住整个程序。

# Import Libraries
import requests, os, sys, zipfile, shutil, subprocess, wx, urllib, time
from threading import *

# Define variables
url = "Enter any dropbox link .zip file here"
r = requests.get(url, stream = True)

# Button definitions
ID_START = wx.NewId()

# Define notification event for thread completion
EVT_RESULT_ID = wx.NewId()

# Checks for old files
def Check():
    if os.path.exists("Folder"):
        print('\n\nRemoving old files...')
        subprocess.check_call(('attrib -R ' + 'Folder' + '\\* /S').split())
        shutil.rmtree('Folder')
        print('\nRemoved old files.')
    else:
        pass

# Downloads new file
def Download():
    print('\n\nDownloading:')
    urllib.request.urlretrieve(url, 'temp.zip')
    print('\nDownload Complete.')

# Extracts new file
def Extract():
    print('\n\nExtracting...')
    zip_ref = zipfile.ZipFile("temp.zip", 'r')
    zip_ref.extractall("Folder")
    zip_ref.close()
    print('\nExtraction Complete')

# Deletes the .zip file but leave the folder
def Clean():
    print('\n\nCleaning up...')
    os.remove("temp.zip")
    print('\nDone!')

# Thread class that executes processing
class WorkerThread(Thread):
    """Worker Thread Class."""
    def __init__(self, notify_window):
        """Init Worker Thread Class."""
        Thread.__init__(self)
        self._notify_window = notify_window
        # This starts the thread running on creation.
        self.start()

# This is what runs on a separate thread when you click the download button
    def run(self):
        """Run Worker Thread."""
        # This is the code executing in the new thread.
        Check()
        Download()
        Extract()
        Clean()

# GUI Frame class that spins off the worker thread
class MainFrame(wx.Frame):
    """Class MainFrame."""    
    def __init__(self, parent, id):
        """Create the MainFrame."""
        wx.Frame.__init__(self, parent, id, 'RFMP GUInstaller', 
                          style=wx.DEFAULT_FRAME_STYLE ^ wx.RESIZE_BORDER)
        self.SetSize(400, 350)
        wx.Button(self, ID_START, 'Download', size=(300,50), pos=(42,250))
        self.Bind(wx.EVT_BUTTON, self.OnStart, id=ID_START)
        self.status = wx.StaticText(self, -1, '', pos=(7,200))
        self.gauge = wx.Gauge(self, range = 1000, size = (370, 30), pos=(7,217),
                              style =  wx.GA_HORIZONTAL)

        # And indicate we don't have a worker thread yet
        self.worker = None

    def OnStart(self, event):
        """Start Computation."""
        self.count = 0      

        # Trigger the worker thread unless it's already busy
        if not self.worker:
            self.status.SetLabel('Downloading...')
            self.worker = WorkerThread(self)
            while self.count <= 10000:
                time.sleep(.001); 
                self.count = self.count + 1 
                self.gauge.SetValue(self.count)
            self.status.SetLabel('Done!')

    def OnResult(self, event):
        """Show Result status."""
        # The worker is done
        self.worker = None

class MainApp(wx.App):
    """Class Main App."""
    def OnInit(self):
        """Init Main App."""
        self.frame = MainFrame(None, -1)
        self.frame.Show(True)
        self.SetTopWindow(self.frame)
        return True

# Main Loop
if __name__ == '__main__':
    app = MainApp(0)
    app.MainLoop()

此外,如果您发现任何可以改进或简化我的代码而又不会降低效率的方法,请随意。

最佳答案

好的,首先卡住是由于使用了sleep方法。

您在“下载”按钮的单击事件上生成了新线程,这很好。但是,您必须让这个线程以某种方式与主线程/框架通信,而不是在主线程中休眠。

这是可以使用 wx 事件的地方。一个很好的教程是here .在 Clean() 方法之后添加类似这样的内容:

myEVT_PROGRESS = wx.NewEventType() # Custom Event Type
EVT_PROGRESS = wx.PyEventBinder(myEVT_PROGRESS, 1) # bind specific events to event handlers
class ProgressEvent(wx.PyCommandEvent):
    """Event to signal that a status or progress changed"""
    def __init__(self, etype, eid, status=None, progress=None):
        """Creates the event object"""
        wx.PyCommandEvent.__init__(self, etype, eid)
        self._status = status       # field to update label
        self._progress = progress   # field to update progress bar

    def GetValue(self):
        """Returns the value from the event.
        @return: the tuple of status and progress
        """
        return (self._status, self._progress)

现在工作线程变得有点复杂,因为它必须通知主线程任何进展:

# Thread class that executes processing
class WorkerThread(Thread):
    """Worker Thread Class."""
    def __init__(self, notify_window):
        """Init Worker Thread Class."""
        Thread.__init__(self)
        self._notify_window = notify_window
        self.sendEvent('started')
        # This starts the thread running on creation.
        self.start()

    # This is what runs on a separate thread when you click the download button
    def run(self):
        # This is the code executing in the new thread.
        self.sendEvent('checking', 0)
        # Check() # this method isn't working for me...?

        self.sendEvent('Downloading...', 100)
        Download()
        self.sendEvent('Downloading complete', 400)
        # ... same pattern as above for other methods...
        Extract()
        Clean()

    def sendEvent(self, status=None, progress=None):
        # Send event to main frame, first param (str) is for label, second (int) for the progress bar
        evt = ProgressEvent(myEVT_PROGRESS, -1, status, progress)
        wx.PostEvent(self._notify_window, evt)

现在,剩下的就是在主线程上接收事件了。

class MainFrame(wx.Frame):
    """Class MainFrame."""    
    def __init__(self, parent, id):
        # ...same as before...
        self.Bind(EVT_PROGRESS, self.OnResult) # Bind our new custom event to a function

    def OnStart(self, event):
        # Trigger the worker thread unless it's already busy
        if not self.worker:
            self.status.SetLabel('')
            self.worker = WorkerThread(self)

   def OnResult(self, event):
       """Our handler for our custom progress event."""
       status, progress = event.GetValue()
       self.status.SetLabel(status)
       if progress:
           self.gauge.SetValue(progress)

希望这是有道理的。

关于python - 如何线程化一个 wxpython 进度条 GUI?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/52308164/

相关文章:

python - 尝试从从两个函数打印的函数返回一个数据集

python - DRF导入错误: cannot import name 'action' on v3. 8.2

python - 在 Slurm 中使用 Python 多处理,以及我需要哪种 ntasks 或 ncpus 组合

python - 从typing.Tuple获取元素类型

在 Mac 终端上使用命令行参数时发生 Java 服务器线程错误(Eclipse 文件)

java - 在Struts2应用程序上动态创建线程

python - UUID python 导入在 Cygwin 64 位上失败

python - 攻击 Python 的 pickle

python - 列表列表中子列表的最大和

c++ - 关于线程数的奇怪现象