8

QtWebView (問題がある場合は PyQt) でページを開いていますが、すべてのリンクをシステムの既定のブラウザーで開きたいと考えています。つまり、リンクをクリックしても QtWebView のサイトは変更されませんが、デフォルトのブラウザで開く必要があります。ユーザーが QtWebView でサイトを変更できないようにしたい。

どうやってやるの?

ありがとう、アルバート

4

3 に答える 3

9

それはそれをします:

import sys, webbrowser
from PyQt4.QtCore import *
from PyQt4.QtGui import *
from PyQt4.QtWebKit import *

app = QApplication(sys.argv)
web = QWebView()

web.load(QUrl("http://www.az2000.de/projects/javascript-project/"))
web.page().setLinkDelegationPolicy(QWebPage.DelegateAllLinks)


def linkClicked(url): webbrowser.open(str(url.toString()))
web.connect(web, SIGNAL("linkClicked (const QUrl&)"), linkClicked) 


web.show()

sys.exit(app.exec_())
于 2010-07-06T18:07:02.743 に答える
1

PyQt5 の更新された例 (魔法は「acceptNavigationRequest」メソッドを再実装することです):

from PyQt5 import QtWidgets, QtCore, QtGui, QtWebEngineWidgets


class RestrictedQWebEnginePage(QtWebEngineWidgets.QWebEnginePage):
    """ Filters links so that users cannot just navigate to any page on the web,
    but just to those pages, that are listed in allowed_pages.
    This is achieved by re-implementing acceptNavigationRequest.
    The latter could also be adapted to accept, e.g. URLs within a domain."""

    def __init__(self, parent=None):
        super().__init__(parent)
        self.allowed_pages = []

    def acceptNavigationRequest(self, qurl, navtype, mainframe):
        # print("Navigation Request intercepted:", qurl)
        if qurl in self.allowed_pages:  # open in QWebEngineView
            return True
        else:  # delegate link to default browser
            QtGui.QDesktopServices.openUrl(qurl)
            return False


class RestrictedWebViewWidget(QtWidgets.QWidget):
    """A QWebEngineView is required to display a QWebEnginePage."""

    def __init__(self, parent=None, url=None, html_file=None):
        super().__init__(parent)
        self.view = QtWebEngineWidgets.QWebEngineView()
        self.page = RestrictedQWebEnginePage()

        if html_file:
            print("Loading File:", html_file)
            self.url = QtCore.QUrl.fromLocalFile(html_file)
            self.page.allowed_pages.append(self.url)
            self.page.load(self.url)
        elif url:
            print("Loading URL:", url)
            self.url = QtCore.QUrl(url)
            self.page.allowed_pages.append(self.url)
            self.page.load(self.url)

        # associate page with view
        self.view.setPage(self.page)

        # set layout
        self.vl = QtWidgets.QVBoxLayout()
        self.vl.addWidget(self.view)
        self.setLayout(self.vl)


if __name__ == '__main__':
    import sys
    app = QtWidgets.QApplication(sys.argv)
    web = RestrictedWebViewWidget(url="YOUR URL")  # or YOUR local HTML file
    web.show()
    sys.exit(app.exec_())
于 2018-03-26T19:52:22.577 に答える