如果 QApplication 执行延迟,QWebEngineView 在加载内容时会以静默方式失败



我们正在开发一个带有包含QWebEngineView的Qt UI的应用程序。目前正在使用 Qt 5.9.6 在 macOS (10.12..10.14) 上进行测试

由于操作系统的特殊性,应用程序有时会在到达QApplication::exec()之前等待用户输入(例如系统管理员密码)。我们意识到,如果此等待时间过长,QWebEngineView::load(QUrl)调用将以静默方式失败,显示灰色视图而不是预期的呈现 html。

我们创建了一个最小的示例,在我们的测试环境中触发了问题:

#include <QApplication>
#include <QMainWindow>
#include <QWebEngineView>
#include <QWidget>
#include <chrono>    
#include <iostream>
#include <thread>
int main(int argc, char *argv[])
{
    QApplication qtapp(argc, argv);
    QMainWindow *window = new QMainWindow;
    window->setFixedSize({800, 600});
    QWebEngineView *webview = new QWebEngineView();
    window->setCentralWidget(webview);
    window->show();
    std::this_thread::sleep_for(std::chrono::seconds(30));
    std::clog << "Done sleeping" << std::endl;
    webview->load({"https://www.google.com"});
    return qtapp.exec();
}

注释掉谷歌主页sleep就可以了。有了sleep,我们得到了灰色区域。

  • 在这个例子中使用Qt有错误吗?
  • 或者这是框架中的错误?

编辑:进一步的调查表明,只要sleepwebview->load()window->show()之前,问题就不会发生。

Qt有一个事件循环,允许您监视各种事件,例如键盘,鼠标等,因此当您使用睡眠时,您正在阻止它,因此GUI已冻结,如果您有耗时的任务,策略是将其划分为更少的任务,如果可以,请权衡它们或在新线程中执行它,并通过信号将结果传输到GUI线程。在下面的示例中,我展示了一个简单的实现。

#include <QtWebEngineWidgets>
#include <iostream>
class Worker: public QObject
{
    Q_OBJECT
public:
    using QObject::QObject;
public slots:
    void start_task(){
        std::this_thread::sleep_for(std::chrono::seconds(30));
        std::clog << "Done sleeping" << std::endl;
        emit finished();
    }
signals:
    void finished();
};
class Thread final : public QThread {
    Q_OBJECT
public:
    using QThread::QThread;
    ~Thread() override {
        finish(); wait();
    }
public slots:
    void finish() {
        quit(); requestInterruption();
    }
};
int main(int argc, char *argv[])
{
    QApplication qtapp(argc, argv);
    QMainWindow window;
    window.setFixedSize({800, 600});
    QWebEngineView *webview = new QWebEngineView();
    window.setCentralWidget(webview);
    window.show();
    Thread thread;
    QObject::connect(QApplication::instance(), &QApplication::aboutToQuit, &thread, &Thread::finish);
    thread.start();
    Worker worker;
    worker.moveToThread(&thread);
    QObject::connect(&worker, &Worker::finished, webview, [webview](){
        qDebug()<< "finished";
        webview->load({"https://www.google.com"});
    });
    QMetaObject::invokeMethod(&worker, "start_task", Qt::QueuedConnection);
    return qtapp.exec();
}
#include "main.moc"

相关内容

  • 没有找到相关文章

最新更新