我正在尝试更改/更新QSystemtrayIcon的图标,但它不起作用。
main.py:
if __name__=="__main__":
app = QApplication(sys.argv)
from systray import SystemTrayIcon
trayIcon = SystemTrayIcon(parent=app)
trayIcon.show()
sys.exit(app.exec_())
systray.py:
class SystemTrayIcon(QSystemTrayIcon):
def __init__(self, parent=None):
QSystemTrayIcon.__init__(self, parent)
icon = QIcon(abspath("images/icon.png"))
self.setIcon(icon)
#menu stuff and so on
def set_icon(self):
self.setIcon(QIcon(abspath("images/envelope.png")))
在我的 mainwindow.py 里,我想在事件发生时更改图标。如何称呼set_icon mehtod 或直接从 mainwindow.py 更改图标?
多谢
编辑:
我尝试在 mainwindow.py 以下
:import systray
class MainWindow(QWidget):
#class stuff
def change_icon(self):
trayIcon = systray.SystemTrayIcon()
trayIcon.set_icon()
调用该函数,当我将打印件放入系统托盘中的set_icon中时,它会打印出来,但它不会更改图标。
有什么建议吗?
我在代码中看到的问题是,在 mainwindow.py 中,您正在创建另一个 SystemTrayIcon,它是一个局部变量,正如您所说,它正确地调用了函数set_icon,但由于它是一个局部变量,因此在完成运行set_icon时会消除它,因此不会看到。
一个可能的解决方案是将其传递给构造函数中的 systray 并使其成为类的成员:
mainwindow.py
from PyQt5.QtWidgets import QWidget, QVBoxLayout, QPushButton
class MainWindow(QWidget):
def __init__(self, systray, parent=None):
QWidget.__init__(self, parent)
lay = QVBoxLayout(self)
self.button = QPushButton("Change Icon")
lay.addWidget(self.button)
self.systray = systray
self.button.clicked.connect(self.systray.set_icon)
systray.py
from os.path import abspath
from PyQt5.QtWidgets import QSystemTrayIcon
from PyQt5.QtGui import QIcon
class SystemTrayIcon(QSystemTrayIcon):
def __init__(self, parent=None):
QSystemTrayIcon.__init__(self, parent)
icon = QIcon(abspath("images/icon.png"))
self.setIcon(icon)
def set_icon(self):
self.setIcon(QIcon(abspath("images/envelope.png")))
main.py
import sys
from PyQt5.QtWidgets import QApplication
from mainwindow import MainWindow
from systray import SystemTrayIcon
if __name__=="__main__":
app = QApplication(sys.argv)
systray = SystemTrayIcon(app)
systray.show()
w = MainWindow(systray)
w.show()
sys.exit(app.exec_())