我正在制作一个WebAutomation工具,我想知道如何将鼠标事件发送到WebEngineView。
这是我尝试过但未成功的一些操作。

event= createMouseEvent(QEvent::MouseButtonPress, QPoint(mouse_x,mouse_y), Qt::LeftButton, Qt::LeftButton, Qt::NoModifier);
QApplication::instance()->sendEvent(view,event);


QTestEventList eventos;
eventos.addMouseClick(Qt::LeftButton, 0, QPoint(mouse_x,mouse_y), -1);
eventos.simulate(view);

其中 View 是QWebEngineView。
我知道可以使用javascript方法单击。但是我想为用户提供一种使用鼠标坐标的方法。

我希望使用跨平台的解决方案(我也在开发该程序的linux版本),并且可以在窗口最小化或不在 View 中时使用。

一个菜鸟友好的解释将不胜感激。
请帮忙。
提前致谢。

最佳答案

看来您必须访问QWebEngineView的子对象,然后向其发送事件。以下是其实现。

void LeftMouseClick(QWidget* eventsReciverWidget, QPoint clickPos)
{
    QMouseEvent *press = new QMouseEvent(QEvent::MouseButtonPress,
                                            clickPos,
                                            Qt::LeftButton,
                                            Qt::MouseButton::NoButton,
                                            Qt::NoModifier);
    QCoreApplication::postEvent(eventsReciverWidget, press);
    // Some delay
    QTimer::singleShot(300, [clickPos, eventsReciverWidget]() {
        QMouseEvent *release = new QMouseEvent(QEvent::MouseButtonRelease,
                                                clickPos,
                                                Qt::LeftButton,
                                                Qt::MouseButton::NoButton,
                                                Qt::NoModifier);
        QCoreApplication::postEvent(eventsReciverWidget, release);
    }));
}
QWebEngineView webView = new QWebEngineView();
// You need to find the first child widget of QWebEngineView. It can accept user input events.
QWidget* eventsReciverWidget = nullptr;
foreach(QObject* obj, webView->children())
{
    QWidget* wgt = qobject_cast<QWidget*>(obj);
    if (wgt)
    {
        eventsReciverWidget = wgt;
        break;
    }
}
QPoint clickPos(100, 100);
LeftMouseClick(eventsReciverWidget, clickPos);

从以下答案中借用Qt WebEngine simulate Mouse Event How to send artificial QKeyEvent to QWebEngineView?

08-03 15:36