qtqwidgetqkeyevent

Qt widget does not receive keyPressEvent


My child widget does not get keyPressEvents, while if I put the same widget as top level window, it does. I try to set it get focus, but it has no effect on this. Code is below, showing what I try to get to work.

#include <QApplication>
#include <QKeyEvent>
#include <QLCDNumber>
#include <QLabel>
#include <QVBoxLayout>

class DigitSummer: public QLCDNumber {
    Q_OBJECT

public:
    DigitSummer(QWidget *parent = nullptr) : QLCDNumber(parent) {
    }

protected:
    void keyPressEvent(QKeyEvent *event) override {
        display(intValue() + event->text().toInt());
    }
};

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);

#if 1 // this version does not work, number does not increase
    QWidget widget;
    widget.setLayout(new QVBoxLayout());
    widget.layout()->addWidget(new QLabel("Press digits!"));
    DigitSummer summer; // in stack: must be after widget to avoid child delete
    widget.layout()->addWidget(&summer);
    widget.setFocusProxy(&summer); // I notice no effect!
    widget.show();

#else // this version works, number grows with keypresseas
    DigitSummer summer;
    summer.show();
#endif

    return a.exec();
}

#include "main.moc"

And for completenes, .pro file for the same:

QT += core gui widgets
TARGET = QtMCVE
TEMPLATE = app
DEFINES += QT_DEPRECATED_WARNINGS
CONFIG += c++11
QMAKE_CXXFLAGS += -Wall -Wextra
SOURCES += main.cpp

How to fix the widget to receive key events?

This related question suggests installing event filter, but I don't want to do that, there must be a self-contained way to fix the widget itself.


Solution

  • I think you need to set the focus policy for the widget before it will accept keyboard input. In your ctor try...

    setFocusPolicy(Qt::StrongFocus);
    

    Having said that, I'm really not sure why the behaviour would differ for top-level and non-top-level widgets.


    Working version of the question code:

    #include <QApplication>
    #include <QKeyEvent>
    #include <QLCDNumber>
    #include <QLabel>
    #include <QVBoxLayout>
    
    class DigitSummer: public QLCDNumber {
        Q_OBJECT
    
    public:
        DigitSummer(QWidget *parent = nullptr) : QLCDNumber(parent) {
            setFocusPolicy(Qt::StrongFocus);
        }
    
    protected:
        void keyPressEvent(QKeyEvent *event) override {
            display(intValue() + event->text().toInt());
        }
    };
    
    int main(int argc, char *argv[])
    {
        QApplication a(argc, argv);
    
        QWidget widget;
        widget.setLayout(new QVBoxLayout());
        widget.layout()->addWidget(new QLabel("Press digits!"));
        widget.layout()->addWidget(new DigitSummer);
        widget.show();
    
        return a.exec();
    }
    
    #include "main.moc"