我将应用程序从PyQt4迁移到PyQt5。
我试图覆盖请求拦截器,但是由于某些奇怪的原因而无法正常工作,这没有得到解决。我正在使用PyQt == 5.10.0
class WebEngineUrlRequestInterceptor(QWebEngineUrlRequestInterceptor):
def __init__(self, parent=None):
super().__init__(parent)
def interceptRequest(self, info):
# info.setHttpHeader("X-Frame-Options", "ALLOWALL")
print("test")
print(info.requestUrl())
class MyWebEnginePage(QWebEnginePage):
# adblocker = Filter(open('easylist.txt', encoding="utf8"))
def __init__(self, parent=None):
super().__init__(parent)
def acceptNavigationRequest(self, url, _type, isMainFrame):
# urlString = url.toString()
# resp = False
# resp = WebPage.adblocker.match(url.toString())
#
# if resp:
# print("Blocking url --- "+url.toString())
# return False
# else:
# print("TYPE", _type)
# return True
print(url)
return QWebEnginePage.acceptNavigationRequest(self, url, _type, isMainFrame)
这就是我加载浏览器的方式
# init browser
browser = QWebEngineView()
# init profile
profile = QWebEngineProfile()
# add interceptor to profile
interceptor = WebEngineUrlRequestInterceptor()
profile.setRequestInterceptor(interceptor)
# init page setting profile
page = MyWebEnginePage(profile)
page.setUrl(qurl)
browser.setPage(page)
最佳答案
问题是由使用MyWebEnginePage
的构造函数引起的,因为您已经使用构造函数放置了它:
QWebEnginePage :: QWebEnginePage(QObject * parent = Q_NULLPTR)
构造一个带有父parent的空QWebEnginePage。
代替第二个构造函数:
QWebEnginePage :: QWebEnginePage(QWebEngineProfile * profile,QObject
*父= Q_NULLPTR)
在Web引擎配置文件配置文件中构造一个空的Web引擎页面
与父母亲。
如果配置文件不是默认配置文件,则调用者必须确保
该个人资料会在页面中保持有效状态。
此功能在Qt 5.5中引入。
解决方案是传递两个参数:概要文件和父项,同样,如果您不打算在构造函数中添加任何内容,则无需覆盖它,如下所示:
import sys
from PyQt5.QtCore import QUrl
from PyQt5.QtWidgets import QApplication
from PyQt5.QtWebEngineCore import QWebEngineUrlRequestInterceptor
from PyQt5.QtWebEngineWidgets import QWebEngineView, QWebEnginePage, QWebEngineProfile
class WebEngineUrlRequestInterceptor(QWebEngineUrlRequestInterceptor):
def interceptRequest(self, info):
# info.setHttpHeader("X-Frame-Options", "ALLOWALL")
print("interceptRequest")
print(info.requestUrl())
class MyWebEnginePage(QWebEnginePage):
def acceptNavigationRequest(self, url, _type, isMainFrame):
print("acceptNavigationRequest")
print(url)
return QWebEnginePage.acceptNavigationRequest(self, url, _type, isMainFrame)
if __name__ == "__main__":
app = QApplication(sys.argv)
browser = QWebEngineView()
interceptor = WebEngineUrlRequestInterceptor()
profile = QWebEngineProfile()
profile.setRequestInterceptor(interceptor)
page = MyWebEnginePage(profile, browser)
page.setUrl(QUrl("https://stackoverflow.com/questions/50786186/qwebengineurlrequestinterceptor-not-working"))
browser.setPage(page)
browser.show()
sys.exit(app.exec_())