为什么当我将它加载到 PySide6 QWebEngineView 时,我的本地 html 没有被访问?

Why my local html is not accessed when I load it into PySide6 QWebEngineView?

我在学习Qt6,写了一个demo,把本地的html文件放进去,用来测试QWebEngineView Widget。但是,网页显示信息:

Your file counldn't be accessed
It may have been moved, edited, or deleted.
ERR_FILE_NOT_FOUND

这是我的 test.py 源代码:

import sys

from PySide6.QtWidgets import (QApplication, QWidget, QVBoxLayout)
from PySide6 import QtCore
from PySide6.QtWebEngineWidgets import QWebEngineView


class webView(QWidget):
    def __init__(self):
        super(webView, self).__init__()

        self.layout = QVBoxLayout(self)

        self.webV = QWebEngineView()
        self.fileDir = QtCore.QFileInfo("./docs.html").absoluteFilePath()
        print(self.fileDir)
        self.webV.load(QtCore.QUrl("file:///" + self.fileDir))

        self.layout.addWidget(self.webV)


if __name__ == "__main__":
    app = QApplication([])

    web = webView()
    web.show()

    sys.exit(app.exec())

此外,docs.html 已被放入与test.py 文件相同的目录中。当我打印 web.fileDir 时,结果是正确的。

Qt一般强烈推荐使用qrc文件,以及Qt资源管理系统。这里:Can QWebView load images from Qt resource files? 是一个与您的问题类似的小而简洁的示例。您还可以查看官方 PySide6 资源使用情况: https://doc.qt.io/qtforpython/tutorials/basictutorial/qrcfiles.html

您对 url 进行了硬编码并且路径可能是错误的,在这些情况下 url 最好逐步进行。我假设 html 在 .py 旁边,那么解决方案是:

import os
from pathlib import Path
import sys

from PySide6.QtCore import QUrl
from PySide6.QtWidgets import QApplication, QVBoxLayout, QWidget
from PySide6.QtWebEngineWidgets import QWebEngineView


CURRENT_DIRECTORY = Path(__file__).resolve().parent


class webView(QWidget):
    def __init__(self):
        super(webView, self).__init__()

        filename = os.fspath(CURRENT_DIRECTORY / "docs.html")
        url = QUrl.fromLocalFile(filename)

        self.webV = QWebEngineView()
        self.webV.load(url)

        layout = QVBoxLayout(self)
        layout.addWidget(self.webV)


if __name__ == "__main__":
    app = QApplication([])

    web = webView()
    web.show()

    sys.exit(app.exec())