Search code examples
python-3.xeventspyqtpyqt5qgraphicsview

Why mouseMoveEvent does nothing in PyQt5


I try to use mouseMoveEvent and mousePressEvent in PyQt5 and Python3.5, but there is nothing when I click my mouse. My code is as following, is there something wrong?

from PyQt5 import QtWidgets, QtGui, QtCore

class Window(QtWidgets.QMainWindow):
    def __init__(self):
        QtWidgets.QMainWindow.__init__(self)
        widget = QtWidgets.QWidget(self)
        layout = QtWidgets.QVBoxLayout(widget)
        self.graphicsView = QtWidgets.QGraphicsView()
        self.graphicsView.setCursor(QtCore.Qt.CrossCursor)
        self.graphicsView.setObjectName("graphicsView")
        layout.addWidget(self.graphicsView)
        self.setCentralWidget(widget)

    def mouseMoveEvent(self, event):
        if event.buttons() == QtCore.Qt.NoButton:
            print("Simple mouse motion")
        elif event.buttons() == QtCore.Qt.LeftButton:
            print("Left click drag")
        elif event.buttons() == QtCore.Qt.RightButton:
            print("Right click drag")

    def mousePressEvent(self, event):
        if event.button() == QtCore.Qt.LeftButton:
            print("Press!")

if __name__ == '__main__':
    import sys
    app = QtWidgets.QApplication(sys.argv)
    win = Window()
    win.show()
    sys.exit(app.exec_())

Solution

  • Firstly, you must enable mouse-tracking:

            self.graphicsView.setMouseTracking(True)
    

    Then you can either use a subclass of QGraphicsView:

    class GraphicsView(QtWidgets.QGraphicsView):   
        def mouseMoveEvent(self, event):
            if event.buttons() == QtCore.Qt.NoButton:
                print("Simple mouse motion")
            elif event.buttons() == QtCore.Qt.LeftButton:
                print("Left click drag")
            elif event.buttons() == QtCore.Qt.RightButton:
                print("Right click drag")
            super(GraphicsView, self).mouseMoveEvent(event)
    
        def mousePressEvent(self, event):
            if event.button() == QtCore.Qt.LeftButton:
                print("Press!")
            super(GraphicsView, self).mousePressEvent(event)
    

    Or install an event-filter:

            self.graphicsView.viewport().installEventFilter(self)
            ...
    
        def eventFilter(self, source, event):
            if event.type() == QtCore.QEvent.MouseMove:
                if event.buttons() == QtCore.Qt.NoButton:
                    print("Simple mouse motion")
                elif event.buttons() == QtCore.Qt.LeftButton:
                    print("Left click drag")
                elif event.buttons() == QtCore.Qt.RightButton:
                    print("Right click drag")
            elif event.type() == QtCore.QEvent.MouseButtonPress:
                if event.button() == QtCore.Qt.LeftButton:
                    print("Press!")
            return super(Window, self).eventFilter(source, event)