将图像和文本放入 QLabel

Putting images and text in QLabel

我有一个这样的段落列表:

list1 = [
  "something",
  "more",
  ...
  "{ //image// }"
  "something"
  ...
  "{ //image// }"
  ...
]

“{ //image// }”文本在列表中出现的次数已知。我有另一个列表,其中包含与文本出现次数相同长度的图像路径:

list2 = [
  "path1",
  "path2"
]

现在我正在使用 pyqt,我想在 QLabel 中显示第一个列表的所有元素。 我是这样做的:

paragraphs = ""
for element in list1:
    elements += element + "<br>"
my_QLabel.setText(elements)

现在我想用第二个列表中的图像替换 QLabel 中每次出现的字符串 { //image// }。 如何在保留其他文本的同时做到这一点?

假设第一个列表中 {// image //} 的数量与第二个列表的长度匹配。在这种情况下,您可以实现一个逻辑来替换:

from PyQt5 import QtCore, QtGui, QtWidgets


def build_text(texts, images, word):
    image_format = """<img src="{}" width="100" height="100">"""
    images_iter = iter(images)
    text = "<br>".join(
        [
            image_format.format(next(images_iter)) if e == word else e
            for e in texts
        ]
    )
    return text


if __name__ == "__main__":
    import sys

    list1 = [
        "something",
        "more",
        "{ //image// }",
        "something",
        "{ //image// }",
        "{ //image// }",
        "more",
        "{ //image// }",
    ]

    list2 = [
        "/path/of/image1.png",
        "/path/of/image2.png",
        "/path/of/image3.png",
        "/path/of/image4.png",
    ]
    app = QtWidgets.QApplication(sys.argv)
    w = QtWidgets.QLabel()
    text = build_text(list1, list2, "{ //image// }")
    w.setText(text)
    w.resize(640, 480)
    w.show()
    sys.exit(app.exec_())