我正在一个GUI项目中工作,该项目将包含一组图标图像。我本能地在根项目目录下创建了一个img
目录。
我计划使用我的应用程序的根类作为存储这样的东西的地方,并在字典中收集QIcon
对象
self.toolbarIcons = {QIcon("<path-to-image.png>")}
那么问题是如何从层次结构的几个类中最好地访问这些图标。当我使用tkinter
时,结构非常线性,因为每个小部件都是其父部件的子部件。
Qt
应用程序的方式(使用PySide6
),基类是QApplication
。在这里,我构造了一个QMainWindow
,在其中我设置了各种小部件(中央小部件、工具栏、状态栏等)。
随着应用程序复杂性的增长,什么是一个好的策略?我是否应该将与特定小部件相关的图标存储为该特定类的类属性(从而将图标对象分散到整个代码中)?我喜欢把图标对象放在一个地方。
我将代码分隔在不同的目录中,但基本上结构是这样的(MWE):
from PySide6.QtWidgets import QApplication, QMainWindow, QTableWidget, QToolBar
from PySide6.QtGui import QIcon
class MyApplication(QApplication):
def __init__(self, *args, **kwargs):
QApplication.__init__(self, *args, **kwargs)
self.icons = {'do_stuff': QIcon('<path-to-icon.png>')}
self.mainwindow = MyMainWindow()
self.mainwindow.show()
class MyMainWindow(QMainWindow):
def __init__(self, *args, **kwargs):
QMainWindow.__init__(self, *args, **kwargs)
self.setCentralWidget(MyCentralWidget(self))
self.addToolBar(MyToolBar(self))
class MyCentralWidget(QTableWidget):
def __init__(self, parent, *args, **kwargs):
QTableWidget.__init__(self, parent, *args, **kwargs)
self.parent = parent
class MyToolBar(QToolBar):
def __init__(self, parent, *args, **kwargs):
QToolBar.__init__(self, parent, *args, **kwargs)
self.parent = parent
# How to access MyApplication.icons['do_stuff'] from here?
if __name__ == '__main__':
app = MyApplication()
app.exec_()
最简单的解决方案是QApplication是一个可以在任何方法中使用instance()方法访问的单例:
icon = MyApplication.instance().icons["do_stuff"]
但我不建议这样做,因为更好的选择是创建一个设置文件,其中定义了这些属性并导入它:
settings.py
ICONS = {"do_stuff": "<path-to-icon.png>"}
然后
*. py
from settings import ICONS
# ...
icon = QIcon(ICONS["do_stuff"])
您可以使用Qt资源系统。这允许您使用相对路径访问.qrc
文件中的任何资源。
.qrc
文件中的图像在相对于.qrc
文件目录的文件路径中指定。假设你有一个像这样的项目结构:
myproject/
resources.qrc
images/
filename.png
main.py
folder/
things.py
resources.qrc
<!DOCTYPE RCC><RCC version="1.0">
<qresource>
<file>images/filename.png</file>
</qresource>
</RCC>
然后,在main.py
中,您可以访问这样的图像:
icon = QIcon(":/images/filename")
和folder/things.py
icon = QIcon(":/images/filename")