Qt笔记-3-LineEdit中使用正则表达

前端之家收集整理的这篇文章主要介绍了Qt笔记-3-LineEdit中使用正则表达前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

有时候我们希望在输入框中定义我们规定的输入方式,比如需要输入数字的而不能让用户输入字母的,需要用户刚好输入10位数的ID等,我们可以在Qt中定义一个正则的方法,这样用户就只能按规定的方式才能被接受。这是C++ GUI Qt4第二版第二章的一个例子。
下面是gotocelldialog.cpp内容

  1. #include <QtGui>
  2.  
  3. #include "gotocelldialog.h"
  4.  
  5. GoToCellDialog::GoToCellDialog(QWidget *parent) : QDialog(parent) { setupUi(this);//这个函数初始化窗口,还可以将符合on_objectName_signalName()命名习惯的的任意槽与相应的objectName_signalName()信号连接起来。
  6. //这个地方就是connect(lineEdit,SIGNAL(textChanged(const QString &)),this,SLOT(on_lineEdit_textChanged()));联系起来。
  7.  
  8. QRegExp regExp("[A-Za-z][1-9][0-9]{0,2}");
  9. lineEdit->setValidator(new QRegExpValidator(regExp,this));
  10.  
  11. connect(okButton,SIGNAL(clicked()),SLOT(accept()));
  12. connect(cancelButton,SLOT(reject()));
  13. }
  14.  
  15. void GoToCellDialog::on_lineEdit_textChanged() { okButton->setEnabled(lineEdit->hasAcceptableInput());
  16. }

可以看到里面的QRegExp,控制着用户第一个只能是字母(大小写均可),然后是1-9的一个数字,然后是可以重复0-2次的0-9的数字。其他方式的输入在lineEdit中都是看不到的。感觉挺实用。顺便附上其他两个文件中的内容

  1. //main.cpp
  2. #include <QApplication>
  3.  
  4. #include "gotocelldialog.h"
  5.  
  6. int main(int argc,char *argv[])
  7. {
  8. QApplication app(argc,argv);
  9. GoToCellDialog *dialog = new GoToCellDialog;
  10. dialog->show();
  11. return app.exec();
  12. }
  1. //gotocelldialog.h
  2. #ifndef GOTOCELLDIALOG_H
  3. #define GOTOCELLDIALOG_H
  4.  
  5. #include <QDialog>
  6.  
  7. #include "ui_gotocelldialog.h"
  8.  
  9. class GoToCellDialog : public QDialog,public Ui::GoToCellDialog
  10. {
  11. Q_OBJECT
  12.  
  13. public:
  14. GoToCellDialog(QWidget *parent = 0);
  15.  
  16. private slots:
  17. void on_lineEdit_textChanged();
  18. };
  19.  
  20. #endif

猜你在找的正则表达式相关文章