blob: e0c53f5939ef59a3087b113cd8ecb55c4b012a09 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
|
#include <QApplication>
#include <QDebug>
#include <QMouseEvent>
#include <QTabletEvent>
#include <QWidget>
class EventReportWidget : public QWidget
{
public:
EventReportWidget();
protected:
void mouseDoubleClickEvent(QMouseEvent *event) { outputMouseEvent(event); }
void mouseMoveEvent(QMouseEvent *event) { outputMouseEvent(event); }
void mousePressEvent(QMouseEvent *event) { outputMouseEvent(event); }
void mouseReleaseEvent(QMouseEvent *event) { outputMouseEvent(event); }
void tabletEvent(QTabletEvent *);
private:
void outputMouseEvent(QMouseEvent *event);
bool m_lastIsMouseMove;
bool m_lastIsTabletMove;
};
EventReportWidget::EventReportWidget()
: m_lastIsMouseMove(false)
, m_lastIsTabletMove(false)
{ }
void EventReportWidget::tabletEvent(QTabletEvent *event)
{
QWidget::tabletEvent(event);
QString type;
switch (event->type()) {
case QEvent::TabletEnterProximity:
m_lastIsTabletMove = false;
type = QString::fromLatin1("TabletEnterProximity");
break;
case QEvent::TabletLeaveProximity:
m_lastIsTabletMove = false;
type = QString::fromLatin1("TabletLeaveProximity");
break;
case QEvent::TabletMove:
if (m_lastIsTabletMove)
return;
m_lastIsTabletMove = true;
type = QString::fromLatin1("TabletMove");
break;
case QEvent::TabletPress:
m_lastIsTabletMove = false;
type = QString::fromLatin1("TabletPress");
break;
case QEvent::TabletRelease:
m_lastIsTabletMove = false;
type = QString::fromLatin1("TabletRelease");
break;
default:
Q_ASSERT(false);
break;
}
qDebug() << "Tablet event, type = " << type
<< " position = " << event->pos()
<< " global position = " << event->globalPos();
}
void EventReportWidget::outputMouseEvent(QMouseEvent *event)
{
QString type;
switch (event->type()) {
case QEvent::MouseButtonDblClick:
m_lastIsMouseMove = false;
type = QString::fromLatin1("MouseButtonDblClick");
break;
case QEvent::MouseButtonPress:
m_lastIsMouseMove = false;
type = QString::fromLatin1("MouseButtonPress");
break;
case QEvent::MouseButtonRelease:
m_lastIsMouseMove = false;
type = QString::fromLatin1("MouseButtonRelease");
break;
case QEvent::MouseMove:
if (m_lastIsMouseMove)
return; // only show one move to keep things readable
m_lastIsMouseMove = true;
type = QString::fromLatin1("MouseMove");
break;
default:
Q_ASSERT(false);
break;
}
qDebug() << "Mouse event, type = " << type
<< " position = " << event->pos()
<< " global position = " << event->globalPos();
}
int main(int argc, char *argv[])
{
QApplication app(argc, argv);
EventReportWidget widget;
widget.show();
return app.exec();
}
|