我需要从QWebEnginePage检索一些html。我在文档中找到了toHtml方法,但它始终返回一个空字符串。我尝试了toPlainText
它有效,但这不是我所需要的。

MyClass::MyClass(QObject *parent) : QObject(parent)
{
   _wp = new QWebEnginePage();
   _wp->settings()->setAttribute(QWebEngineSettings::AutoLoadImages, false);
   _wp->settings()->setAttribute(QWebEngineSettings::JavascriptEnabled, true);
   connect(_wp, SIGNAL(loadFinished(bool)), this, SLOT(wpLoadFinished(bool)));
}
void MyClass::start()
{
   _wp->load(QUrl("http://google.com/"));
}
void MyClass::wpLoadFinished(bool s)
{
   _wp->toHtml(
       [] (const QString &result) {
          qDebug()<<"html:";
          qDebug()<<result;
    }); // return empty string
    /*_wp->toPlainText(
       [] (const QString &result) {
          qDebug()<<"txt:";
          qDebug()<<result;
    });*/ //works perfectly
}

我究竟做错了什么?

最佳答案

我对QWebEngine有所了解。很酷我有以下工作。

lambada捕获必须是所有“=”,或者在发射信号的情况下是“this”。您还需要“可变”来修改捕获的副本。但是toHtml()是异步的,因此即使您捕获了html,也不太可能在toHtml()中调用SomeFunction之后直接使用它。您可以通过使用信号和插槽来克服此问题。

protected slots:
    void handleHtml(QString sHtml);

signals:
    void html(QString sHtml);



 void MainWindow::SomeFunction()
 {
    connect(this, SIGNAL(html(QString)), this, SLOT(handleHtml(QString)));
    view->page()->toHtml([this](const QString& result) mutable {emit html(result);});
 }

void MainWindow::handleHtml(QString sHtml)
{
      qDebug()<<"myhtml"<< sHtml;
}

10-08 11:14