1

我的主窗口中有一个 QDockWidget,带有一个 QTableWidget 和两个 QPushbuttons。当然,我可以用鼠标单击按钮,但我也想用左右箭头键“单击”它们。

它几乎完美无缺。但是在通过键单击它们之前,焦点似乎跳到了 QTableWidget 的右侧/左侧(其中的项目,它穿过所有列)。

我是否有可能只为 QDockWidget 中的按钮设置 KeyPressEvents?

4

1 回答 1

3

您可以使用这样的事件过滤器

class Filter : public QObject
{
public:
    bool eventFilter(QObject * o, QEvent * e)
    {
        if(e->type() == QEvent::KeyPress)
        {
            QKeyEvent * event = static_cast<QKeyEvent *>(e);
            if((event->key() == Qt::Key_Left) || (event->key() == Qt::Key_Right))
            {
                //do what you want ...
                return true;
            }
        }
        return QObject::eventFilter(o, e);
    }
};

在主窗口类中保留一个过滤器类的实例:

private:
    Filter filter;

然后将其安装在您的小部件中,例如在您的主窗口类构造函数中:

//...
installEventFilter(&filter); //in the main window itself
ui->dockWidget->installEventFilter(&filter);
ui->tableWidget->installEventFilter(&filter);
ui->pushButton->installEventFilter(&filter);
//etc ...

您可能需要检查修饰符(例如 Ctrl 键),以保留箭头键的标准行为:

//...
if(event->modifiers() == Qt::CTRL) //Ctrl key is also pressed
{
        if((event->key() == Qt::Key_Left) || (event->key() == Qt::Key_Right))
        {

//...
于 2018-01-17T11:46:44.677 回答