📜  PySimpleGUI 中的异步用法

📅  最后修改于: 2022-05-13 01:54:51.537000             🧑  作者: Mango

PySimpleGUI 中的异步用法

我们将这种设计模式用于实际需要定期轮询或输出某些内容的项目。在这种情况下,我们表明我们希望在 window.read 中设置timeout=10
称呼。此外,这将导致调用返回一个“超时键”,因为每 10 毫秒的事件已经过去,而没有首先发生一些 GUI 事情。超时键是PySimpleGUI.TIMEOUT_KEY在普通 PySimpleGUI 代码中通常写为sg.TIMEOUT_KEY

使用超时的窗口时请小心。您很少需要使用timeout=0 。零值是一个非阻塞调用,所以我们不必试图滥用这种设计模式。
关于计时器的简短说明是,这对于秒表来说不是一个好的设计,因为它很容易漂移。在一些商业代码中,这永远不会成为一个很好的解决方案。为了获得更好的准确性,我们应该始终从信誉良好的来源(可能来自操作系统)获取实际时间。我们可以用它来测量和显示时间。

为了理解它,我们将使用 PySimpleGUI 在Python中实现一个秒表。

import PySimpleGUI as sg
  
sg.theme('SandyBeach')
  
layout = [  [sg.Text('Stopwatch', size =(20, 2), justification ='center')],
            [sg.Text(size =(10, 2), font =('Arial', 20), justification ='center', key ='-OUTPUT-')],
            [sg.T(' ' * 5), sg.Button('Start / Stop', focus = True), sg.Quit()]]
  
window = sg.Window('Stopwatch Timer', layout)
  
timer_running, counter = True, 0
  
# Event Loop
while True:  
  
    # Please try and use as high of a timeout value as you can                               
    event, values = window.read(timeout = 10) 
  
    # if user closed the window using X or clicked Quit button
    if event in (None, 'Quit'):             
        break
    elif event == 'Start / Stop':
        timer_running = not timer_running
    if timer_running:
        window['-OUTPUT-'].update('{:02d}:{:02d}.{:02d}'.format((counter // 100) // 60, 
                                                 (counter // 100) % 60, counter % 100))
        counter += 1
window.close()

输出