1. 使用clock() 函數
頭文件:<time.h>
clock()函數,返回“自程序啟動到調用該函數,CPU時鐘的計時單元數(clock tick)”
每過1ms,計數值+1
精度:1毫秒
#include <stdio.h>
#include <time.h>
int main()
{
clock_t start,end; // typedef long clock_t
start = clock();
long i= 1000000000L;while(i--){}
end = clock();
//#define CLOCKS_PER_SEC ((clock_t)1000)
double duration =(double)(end-start)/CLOCKS_PER_SEC;
printf("%f\n",duration); // 4.015
return 0;
}
2. 使用time() 函數
頭文件:<time.h> 中
clock()返回公元1970.01.01 0:0:0秒算起到現在所經過的秒數。
即Calendar Time,日歷時間
精度:1秒
#include <time.h>
int main()
{
time_t start,end; // typedef long time_t;
start = time(NULL); // 等同於 time(&start);
long i=1000000000L;while(i--){}
end = time(NULL);
long duration =end - start;
printf("%ld\n",duration); // 4
return 0;
}
3. 使用GetTickCount () 函數
頭文件:<windows.h> 中
在精度要求較高的情況下,可以利用GetTickCount()函數,該函數的返回值是 DWORD型,表示以ms為單位的計算機啟動後經歷的時間間隔(最大49.7天)。在較短的定時中其計時誤差為15ms,在較長的定時中其計時誤差較低,如果定時時間太長,就好象死機一樣,CPU占用率非常高,只能用於要求不高的延時程序中。
精度:1毫秒,短時誤差15ms
#include <stdio.h>
#include <windows.h>
int main()
{
DWORD start,end;//typedef unsigned long DWORD;
start = GetTickCount();
long i=1000000000L;while(i--){}
end = GetTickCount();
double duration = (double)(end-start)/1000;
printf("%f\n",duration); // 3.922
return 0;
}
4. 使用QueryFrequencyCount () 函數
頭文件:<windows.h>
高精度計數器
精度:1微秒,誤差不超過0.5微妙(精度為1000 000/(cpu主頻)微秒)
#include <stdio.h>
#include <windows.h>
int main()
{
LARGE_INTEGER f;
QueryPerformanceFrequency(&f);//獲取內部高精度計數器的頻率
double dFreq;
dFreq = (double)f.QuadPart; //獲取計數器的頻率
LARGE_INTEGER start,end;
QueryPerformanceCounter(&start);//獲取內部高精度計數器當前的計數值
long i=1000000000L;while(i--){}
QueryPerformanceCounter(&end);
//時間差 = 計數值差/頻率(單位s)
double duration = (double)(end.QuadPart-start.QuadPart)/dFreq;
printf("%f\n",duration);// 3.969499
return 0;
}