项目结构设计:工具栏图标存放在哪里以及如何访问它们

Project structure design: where store toolbar icons and how access them

我正在开发一个包含一组图标图像的 GUI 项目。我本能地在项目根目录下创建了一个img目录。

我计划使用我的应用程序的根 class 作为存储此类内容的地方,并将 QIcon 对象收集到字典中

self.toolbarIcons = {QIcon("<path-to-image.png>")}

接下来的问题是如何最好地从层次结构中的多个 class 访问这些图标。当我使用 tkinter 时,结构非常线性,因为每个小部件都是其父项的子项。

我设置 Qt 应用程序的方式(使用 PySide6),基础 class 是 QApplication。在这里我构建了一个 QMainWindow,我在其中设置了各种小部件(中央小部件、工具栏、状态栏等)。

什么是随着应用程序复杂性的增长而扩展的好策略?我是否应该将与特定小部件相关的图标存储为该特定 class 的 class 属性(并因此在整个代码中传播图标对象)?我喜欢将图标对象放在一个地方的想法。

我把代码放在不同的目录中,但基本上结构是这样的(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 Resource系统。这允许您使用相对于它的路径访问 .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")