dissidia
dissidia

Reputation: 1581

Signals or events for QMenu tear-off

Is there a signal/event I can make use of for the QMenu tear-off?

I have a QMenu subclass in which it has .setTearOffEnabled(True), but I would like to set this tear-off to always be on the top if the user clicks on the tear-off 'bar'.

I am unable to utilise QtCore.Qt.WindowStaysOnTopHint, as this will result in my menu already being in the tear-off state.

For example: if my main tool area is bigger than the tear-off, and I click on my main tool, the tear-off window will be behind it.

Upvotes: 4

Views: 767

Answers (2)

eyllanesc
eyllanesc

Reputation: 244282

In the following code the clicked signal is emitted when the tear off (dotted lines) is pressed:

import sys
from PyQt5 import QtCore, QtWidgets


class Menu(QtWidgets.QMenu):
    clicked = QtCore.pyqtSignal()

    def mouseReleaseEvent(self, event):
        if self.isTearOffEnabled():
            tearRect = QtCore.QRect(
                0,
                0,
                self.width(),
                self.style().pixelMetric(
                    QtWidgets.QStyle.PM_MenuTearoffHeight, None, self
                ),
            )
            if tearRect.contains(event.pos()):
                self.clicked.emit()
                QtCore.QTimer.singleShot(0, self.after_clicked)
        super(Menu, self).mouseReleaseEvent(event)

    @QtCore.pyqtSlot()
    def after_clicked(self):
        tornPopup = None
        for tl in QtWidgets.QApplication.topLevelWidgets():
            if tl.metaObject().className() == "QTornOffMenu":
                tornPopup = tl
                break
        if tornPopup is not None:
            print("This is the tornPopup: ", tornPopup)
            tornPopup.setWindowFlag(QtCore.Qt.WindowStaysOnTopHint)


if __name__ == "__main__":

    app = QtWidgets.QApplication(sys.argv)
    w = QtWidgets.QMainWindow(parent=None)
    menu = Menu("Menu", tearOffEnabled=True)
    menu.clicked.connect(lambda: print("clicked"))
    w.menuBar().addMenu(menu)
    for i in range(5):
        action = QtWidgets.QAction("action{}".format(i), w)
        menu.addAction(action)
    w.show()
    sys.exit(app.exec_())

Upvotes: 2

ekhumoro
ekhumoro

Reputation: 120768

When a menu is torn off, it is hidden and Qt replaces it with a copy created from an internal subclass of QMenu. So to set the WindowStaysOnTopHint on a torn off menu, you would first need to find a way to get a reference to it. One way to do this would be to set an event-filter on the application object and watch for child events of the right type:

class MenuWatcher(QtCore.QObject):
    def __init__(self, parent=None):
        super().__init__(parent)
        QtWidgets.qApp.installEventFilter(self)

    def eventFilter(self, source, event):
        if (event.type() == QtCore.QEvent.ChildAdded and
            event.child().metaObject().className() == 'QTornOffMenu'):
            event.child().setWindowFlag(QtCore.Qt.WindowStaysOnTopHint)
        return super().eventFilter(source, event)

This class will operate on all torn-off menus created in the application.

However, if the event-filtering was done by the source menu class, its own torn-off menu could be identified by comparing menu-items:

class Menu(QtWidgets.QMenu):
    def __init__(self, *args, **kwargs):
        super().__init__(*args, **kwargs)
        self.setTearOffEnabled(True)
        QtWidgets.qApp.installEventFilter(self)

    def eventFilter(self, source, event):
        if event.type() == QtCore.QEvent.ChildAdded:
            child = event.child()
            if (child.metaObject().className() == 'QTornOffMenu' and
                all(a is b for a, b in zip(child.actions(), self.actions()))):
                child.setWindowFlag(QtCore.Qt.WindowStaysOnTopHint)
        return super().eventFilter(source, event)

Upvotes: 0

Related Questions