Qt中定時(shí)器的使用有兩種方法,一種是使用QObject類提供的定時(shí)器,還有一種就是使用QTimer類。
其精確度一般依賴于操作系統(tǒng)和硬件,但一般支持20ms。下面將分別介紹兩種方法來使用定時(shí)器。
方法一:QObject中的定時(shí)器的使用,需要用到三個(gè)函數(shù)
1、 int QObject::startTimer ( int interval ) ;
這個(gè)是開啟一個(gè)定時(shí)器的函數(shù),他的參數(shù)interval是毫秒級別。當(dāng)開啟成功后會返回這個(gè)定時(shí)器的ID, 并且每隔interval 時(shí)間后會進(jìn)入timerEvent 函數(shù)。直到定時(shí)器被殺死。
2、 void QObject::timerEvent ( QTimerEvent * event );
當(dāng)定時(shí)器超時(shí)后,會進(jìn)入該事件timerEvent函數(shù),需要重寫timerEvent函數(shù),在函數(shù)中通過判斷event->timerId()來確定定時(shí)器,然后執(zhí)行某個(gè)定時(shí)器的超時(shí)函數(shù)。
3、 void QObject::killTimer ( int id );
通過從startTimer返回的ID傳入killTimer 函數(shù)中殺死定時(shí)器,結(jié)束定時(shí)器進(jìn)入超時(shí)處理。
以下是QObject中的定時(shí)器具體使用簡單例子:
[cpp]
view plain copy#define _MYTIMER_H
#include <QObject>
class MyTimer : public QObject
{
Q_OBJECT
public:
MyTimer(QObject* parent = NULL);
~MyTimer();
void handleTimeout(); //超時(shí)處理函數(shù)
virtual void timerEvent( QTimerEvent *event);
private:
int m_nTimerID;
};
#endif //_MYTIMER_H
[cpp]
view plain copy#include "mytimer.h"
#include<QDebug>
#include <QTimerEvent>
#define TIMER_TIMEOUT (5*1000)
MyTimer::MyTimer(QObject *parent)
:QObject(parent)
{
m_nTimerID = this->startTimer(TIMER_TIMEOUT);
}
MyTimer::~MyTimer()
{
}
void MyTimer::timerEvent(QTimerEvent *event)
{
if(event->timerId() == m_nTimerID){
handleTimeout();
}
}
void MyTimer::handleTimeout()
{
qDebug()<<"Enter timeout processing function\n";
killTimer(m_nTimerID);
}
方法二:使用QTimer定時(shí)器類
1、 首先創(chuàng)建一個(gè)定時(shí)器類的對象
QTimer *timer = new QTimer(this);
2、 timer 超時(shí)后會發(fā)出timeout()信號,所以在創(chuàng)建好定時(shí)器對象后給其建立信號與槽
connect(timer, SIGNAL(timeout()), this, SLOT(onTimeout()));
3、 在需要開啟定時(shí)器的地方調(diào)用void QTimer::start ( int msec );
這個(gè)start函數(shù)參數(shù)也是毫秒級別;
timer->start(msec );
4、 在自己的超時(shí)槽函數(shù)里面做超時(shí)處理。
以下是QTimer定時(shí)器類具體使用簡單例子:
[cpp]
view plain copy#ifndef _MYTIMER_H
#define _MYTIMER_H
#include <QObject>
class QTimer;
class MyTimer : public QObject
{
Q_OBJECT
public:
MyTimer(QObject* parent = NULL);
~MyTimer();
public slots:
void handleTimeout(); //超時(shí)處理函數(shù)
private:
QTimer *m_pTimer;
};
#endif //_MYTIMER_H
[cpp]
view plain copy#include "mytimer.h"
#include<QDebug>
#include <QTimer>
#define TIMER_TIMEOUT (5*1000)
MyTimer::MyTimer(QObject *parent)
:QObject(parent)
{
m_pTimer = new QTimer(this);
connect(m_pTimer, SIGNAL(timeout()), this, SLOT(handleTimeout()));
m_pTimer->start(TIMER_TIMEOUT);
}
MyTimer::~MyTimer()
{
}
void MyTimer::handleTimeout()
{
qDebug()<<"Enter timeout processing function\n";
if(m_pTimer->isActive()){
m_pTimer->stop();
}
}