执行 "While" 循环时遇到问题,在 Python 上使用系统托盘

Trouble with executing "While" loop, using system tray on Python

我正在尝试创建每 X 秒运行一次代码块的应用程序,它的系统托盘图标只有 "Quit" 选项。但问题是当它到达托盘功能时,它没有读取下一行代码,因此无法启动 "While" 循环。 有没有其他方法可以做到这一点?

import time
import os
import sys
from PySide2 import QtWidgets, QtGui

class SystemTrayIcon(QtWidgets.QSystemTrayIcon):
    def __init__(self, icon, parent=None):
        QtWidgets.QSystemTrayIcon.__init__(self, icon, parent)
        self.setToolTip(f'Wallpy')
        menu = QtWidgets.QMenu(parent)

        exit_ = menu.addAction("Exit")
        exit_.triggered.connect(lambda: sys.exit())

        menu.addSeparator()
        self.setContextMenu(menu)


def tray():
    app = QtWidgets.QApplication(sys.argv)
    w = QtWidgets.QWidget()
    tray_icon = SystemTrayIcon(QtGui.QIcon("tray.ico"), w)
    tray_icon.show()
    app.exec_()


def loop_function():
    print("Nice") # anything executable


tray() # launch tray icon


while True:
    loop_function() # executing every minute
    time.sleep(60)

这是因为,当您使用 tray() 时,您的主应用程序启动并且 GUI 主循环启动。它 运行s 直到您的应用程序退出,然后执行 while loop

但是,如果您希望循环同时进入 运行,则应将其与 Qt 的主循环集成。在 Gtk 中,我们使用 GLib.add_main_thread 和其他方法来执行此操作,我不知道 Qt,但您可以使用线程处理来使用此通用解决方案。

from threading import Thread
import time
import os
import sys
from PySide2 import QtWidgets, QtGui


def loop_function():
    print("Nice") # anything executable

def thread_loop():
    while True:
        loop_function() # executing every minute
        time.sleep(60)

class SystemTrayIcon(QtWidgets.QSystemTrayIcon):
    def __init__(self, icon, parent=None):
        QtWidgets.QSystemTrayIcon.__init__(self, icon, parent)
        self.setToolTip(f'Wallpy')
        menu = QtWidgets.QMenu(parent)

        exit_ = menu.addAction("Exit")
        exit_.triggered.connect(lambda: sys.exit())

        menu.addSeparator()
        self.setContextMenu(menu)


def tray():
    app = QtWidgets.QApplication(sys.argv)
    w = QtWidgets.QWidget()
    tray_icon = SystemTrayIcon(QtGui.QIcon("tray.ico"), w)
    tray_icon.show()
    app.exec_()

my_loop = Thread(target=thread_loop, args=()) # Start the thread with no args
my_loop.start()
tray() # launch tray icon