标签:
有时候,我们需要限制某个控件的功能。这时我们可以派生出一个新的类,在这个新的类中对原有的功能进行限制。有些简单的情况,不需要如此大动作。利用Qt 提供的事件过滤功能也可以做到许多。
所谓事件过滤就是提前截获发往某个对象的所有消息,根据需要屏蔽掉某一些,或者对某些消息提前进行些处理。比如许多浏览器都支持鼠标手势,这个其实就可以利用事件过滤器来实现。
这里用一个小例子来说明事件过滤器的用法。我们将事件过滤器应用到一个 LineEdit 上,让这个lineedit 只能输入数字,其他的字符输入都屏蔽掉。
#ifndef KEYBOARDFILTER_H #define KEYBOARDFILTER_H #include <QObject> class KeyboardFilter : public QObject { Q_OBJECT public: explicit KeyboardFilter(QObject *parent = 0) : QObject(parent){} ~KeyboardFilter(){} protected: bool eventFilter(QObject *to, QEvent *event); }; #endif // KEYBOARDFILTER_H
#include "keyboardfilter.h" #include <QEvent> #include <QKeyEvent> bool KeyboardFilter::eventFilter(QObject *to, QEvent *event) { static QString digits = QString("1234567890"); if(event->type() == QEvent::KeyPress) { QKeyEvent *keyEvent = static_cast<QKeyEvent*> (event); if( digits.indexOf(keyEvent->text()) != -1 ) { return false; } return true; } return QObject::eventFilter(to, event); }
下面我们要给一个 lineEdit 安装事件过滤器了。其实就一条语句。
Dialog::Dialog(QWidget *parent) : QDialog(parent), ui(new Ui::Dialog) { ui->setupUi(this); KeyboardFilter *filter = new KeyboardFilter; ui->lineEdit->installEventFilter(filter); }
之后就可以测试一下了。这个LineEdit 现在只能输入数字。
但是用复制粘贴的方法还是可以输入其他内容的。所以这个方案并不是完美的解决方案。只是给大家举个例子而已。
版权声明:本文为博主原创文章,未经博主允许不得转载。
标签:
原文地址:http://blog.csdn.net/liyuanbhu/article/details/46895141