1.介紹linux
在linux下若是定時若是要求不太精確的話,使用alarm()和signal()就好了(精確到秒),可是若是想要實現精度較高的定時功能的話,就要使用setitimer函數。函數
setitimer()爲Linux的API,並不是C語言的Standard Library,setitimer()有兩個功能,一是指定一段時間後,才執行某個function,二是每間格一段時間就執行某個function, 如下程序demo如何使用setitimer()。oop
2.函數參數spa
int setitimer(int which, const struct itimerval *value, struct itimerval *ovalue)); struct itimerval { struct timeval it_interval; struct timeval it_value; }; struct timeval { long tv_sec; long tv_usec; };
其中,which爲定時器類型,3中類型定時器以下:code
ITIMER_REAL : 以系統真實的時間來計算,它送出SIGALRM信號。 進程
ITIMER_VIRTUAL : -以該進程在用戶態下花費的時間來計算,它送出SIGVTALRM信號。 get
ITIMER_PROF : 以該進程在用戶態下和內核態下所費的時間來計算,它送出SIGPROF信號。string
第二個參數指定間隔時間,第三個參數用來返回上一次定時器的間隔時間,若是不關心該值可設爲NULL。it
it_interval指定間隔時間,it_value指定初始定時時間。若是隻指定it_value,就是實現一次定時;若是同時指定 it_interval,則超時後,系統會從新初始化it_value爲it_interval,實現重複定時;二者都清零,則會清除定時器。 io
tv_sec提供秒級精度,tv_usec提供微秒級精度,以值大的爲先,注意1s = 1000000us。
若是是以setitimer提供的定時器來休眠,只需阻塞等待定時器信號就能夠了。
setitimer()調用成功返回0,不然返回-1。
3.範例
該示例程序每隔1s產生一行標準輸出。
#include <stdio.h> //printf() #include <unistd.h> //pause() #include <signal.h> //signal() #include <string.h> //memset() #include <sys/time.h> //struct itimerval, setitimer() static int count = 0; void printMes(int signo) { printf("Get a SIGALRM, %d counts!\n", ++count); } int main() { int res = 0; struct itimerval tick; signal(SIGALRM, printMes); memset(&tick, 0, sizeof(tick)); //Timeout to run first time tick.it_value.tv_sec = 1; tick.it_value.tv_usec = 0; //After first, the Interval time for clock tick.it_interval.tv_sec = 1; tick.it_interval.tv_usec = 0; if(setitimer(ITIMER_REAL, &tick, NULL) < 0) printf("Set timer failed!\n"); //When get a SIGALRM, the main process will enter another loop for pause() while(1) { pause(); } return 0; }