我们正在开发一个带有包含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
Google主页就可以了。使用sleep
,我们得到的是灰色区域。
编辑:
进一步的调查表明,只要sleep
和webview->load()
之前都没有出现此问题。
答案 0 :(得分:0)
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"