定时器是用来处理周期性事件的一种对象,类似于硬件定时器。例如设置一个定时器的定时周期为 1000 毫秒,那么每 1000 毫秒就会发射定时器的 timeout() 信号,在信号关联的槽函数里就可以做相应的处理。Qt 中的定时器类是 QTimer。QTimer 不是一个可见的界面组件,在 UI 设计器的组件面板里找不到它
下面通过一个实例来了解定时器的使用。实例主要功能是实现每隔1S触发一次定时器。
首先创建好一个工程,工程的创建可以参考《QT学习笔记 —— 2. 使用向导创建QT项目》
创建好工程后的,工程结构如下:
我们先在widget.ui添加一个Label控件,如下所示:
修改widget.h
#ifndef WIDGET_H
#define WIDGET_H
#include <QWidget>
namespace Ui {
class Widget;
}
class Widget : public QWidget
{
Q_OBJECT
public:
explicit Widget(QWidget *parent = 0);
~Widget();
protected:
//定时器事件
void timerEvent(QTimerEvent *event);
private:
Ui::Widget *ui;
int timerId;
};
#endif // WIDGET_H
修改widget.cpp
#include "widget.h"
#include "ui_widget.h"
#include <QDebug>
Widget::Widget(QWidget *parent) :
QWidget(parent),
ui(new Ui::Widget)
{
ui->setupUi(this);
//启动定时器,单位为毫秒
timerId = this->startTimer(1000);
}
Widget::~Widget()
{
delete ui;
}
void Widget::timerEvent(QTimerEvent *event)
{
static int sec = 0;
ui->label->setText(QString("<center><h1>timer out: %1</h1></center>").arg(sec++));
if (10 == sec)
{ //停止定时器
this->killTimer(timerId);
}
qDebug() << sec;
}
编译运行结果如下:
如果我们需要多个定时器,那又该怎么实现呢?
修改widget.h
#ifndef WIDGET_H
#define WIDGET_H
#include <QWidget>
namespace Ui {
class Widget;
}
class Widget : public QWidget
{
Q_OBJECT
public:
explicit Widget(QWidget *parent = 0);
~Widget();
protected:
//定时器事件
void timerEvent(QTimerEvent *event);
private:
Ui::Widget *ui;
int timerId;
int timerId2;
};
#endif // WIDGET_H
修改widget.cpp
#include "widget.h"
#include "ui_widget.h"
#include <QDebug>
Widget::Widget(QWidget *parent) :
QWidget(parent),
ui(new Ui::Widget)
{
ui->setupUi(this);
//启动定时器,单位为毫秒
timerId = this->startTimer(1000);
timerId2 = this->startTimer(500);
}
Widget::~Widget()
{
delete ui;
}
void Widget::timerEvent(QTimerEvent *event)
{
if (event->timerId() == this->timerId)
{
static int sec = 0;
ui->label->setText(QString("<center><h1>timer out: %1</h1></center>").arg(sec++));
if (10 == sec)
{ //停止定时器
this->killTimer(timerId);
}
}
else if (event->timerId() == this->timerId2)
{
static int sec = 0;
ui->label_2->setText(QString("<center><h1>timer out: %1</h1></center>").arg(sec++));
}
}
https://blog.csdn.net/Vichael_Chan/article/details/99822303