方式1:重写定时器事件
void timerEvent(QTimerEvent *e);
通过参数*e可以获取定时器的信息
启动定时器:
//参数 间隔毫秒数,返回定时器Id
t1Id = startTimer(1000);
有多个定时器时可以通过Id来区分
方式2:QTimer类
1.创建QTimer类:
2.启动定时器
3.每个一定事件发送timeout信号,监听信号进行处理
4.暂停stop()函数
练习:在标签显示递增的数据
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 = nullptr);
~Widget();
//重写定时器事件
void timerEvent(QTimerEvent *e);
private:
Ui::Widget *ui;
int t1Id; //定时器Id
int t2Id;
};
#endif // WIDGET_H
widget.cpp
#include "widget.h"
#include "ui_widget.h"
#include <QTimer>
Widget::Widget(QWidget *parent) :
QWidget(parent),
ui(new Ui::Widget)
{
ui->setupUi(this);
//方式1:
//在构造函数中启动定时器,startTimer()函数启动定时器并返回定时器Id
//参数 间隔毫秒数
t1Id = startTimer(1000);
t2Id = startTimer(2000);
//方式2:
QTimer *timer = new QTimer(this);
//参数 毫秒
timer->start(1000);
//连接定时信号
connect(timer,&QTimer::timeout,this,[=](){
static int stNum = 1;
ui->label_3->setText(QString::number( stNum++));
});
}
void Widget::timerEvent(QTimerEvent *e)
{
//可以通过参数*e获取定时器的信息 e->timerId()获取定时器Id
static int num = 1;
static int num2 = 1;
if (e->timerId()==t1Id)
{
ui->label->setText(QString::number(num++));
}
if(e->timerId()==t2Id)
{
ui->label_2->setText(QString::number(num2++));
}
}
Widget::~Widget()
{
delete ui;
}