Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to connect focus event from QLineEdit?

Tags:

c++

qt

I have to connect focus event from some QLineEdit element (ui->lineEdit) to the method focus(). How can I do this?

like image 874
Max Frai Avatar asked May 10 '10 15:05

Max Frai


1 Answers

There is no signal emitted when a QLineEdit gets the focus. So the notion of connecting a method to the focus event is not directly appropriate.

If you want to have a focused signal, you will have to derive the QLineEdit class. Here is a sample of how this can be achieved.

In the myLineEdit.h file you have:

class MyLineEdit : public QLineEdit
{
  Q_OBJECT

public:
  MyLineEdit(QWidget *parent = 0);
  ~MyLineEdit();

signals:
  void focussed(bool hasFocus);

protected:
  virtual void focusInEvent(QFocusEvent *e);
  virtual void focusOutEvent(QFocusEvent *e);
};

In the myLineEdit.cpp file you have :

MyLineEdit::MyLineEdit(QWidget *parent)
 : QLineEdit(parent)
{}

MyLineEdit::~MyLineEdit()
{}

void MyLineEdit::focusInEvent(QFocusEvent *e)
{
  QLineEdit::focusInEvent(e);
  emit(focussed(true));
}

void MyLineEdit::focusOutEvent(QFocusEvent *e)
{
  QLineEdit::focusOutEvent(e);
  emit(focussed(false));
}

You can now connect the MyLineEdit::focussed() signal to your focus() method (slot).

like image 65
Lohrun Avatar answered Sep 18 '22 04:09

Lohrun