本文對Windows平台下常用的計時函數進行總結,包括精度為秒、毫秒、微秒三種精度的5種方法。分為在标準C/C++下的二種time()及clock(),标準C/C++是以使用的time()及clock()不僅可以用在Windows系統,也可以用于Linux系統。在Windows系統下三種,使用Windows提供的API接口timeGetTime()、GetTickCount()及QueryPerformanceCounter()來完成。文章最後給出了5種計時方法示例代碼。
标準C/C++的二個計時函數time()及clock()
time_t time(time_t *timer);
傳回以格林尼治時間(GMT)為标準,從1970年1月1日00:00:00到現在的此時此刻所經過的秒數。
time_t實際是個long長整型typedef long time_t;
頭檔案:#include <time.h>
clock_t clock(void);
傳回程序啟動到調用函數時所經過的CPU時鐘計時單元(clock tick)數,在MSDN中稱之為挂鐘時間(wal-clock),以毫秒為機關。
clock_t實際是個long長整型typedef long clock_t;
頭檔案:#include <time.h>
Windows系統API函數
timeGetTime()、GetTickCount()及QueryPerformanceCounter()
DWORD timeGetTime(VOID);
傳回系統時間,以毫秒為機關。系統時間是從系統啟動到調用函數時所經過的毫秒數。注意,這個值是32位的,會在0到2^32之間循環,約49.71天。
頭檔案:#include <Mmsystem.h>
引用庫:#pragma comment(lib, "Winmm.lib")
DWORD WINAPI GetTickCount(void);
這個函數和timeGetTime()一樣也是傳回系統時間,以毫秒為機關。
頭檔案:直接使用#include <windows.h>就可以了。
高精度計時,以微秒為機關(1毫秒=1000微秒)。
先看二個函數的定義
BOOL QueryPerformanceCounter(LARGE_INTEGER *lpPerformanceCount);
得到高精度計時器的值(如果存在這樣的計時器)。
BOOL QueryPerformanceFrequency(LARGE_INTEGER *lpFrequency);
傳回硬體支援的高精度計數器的頻率(次每秒),傳回0表示失敗。
再看看LARGE_INTEGER
它其實是一個聯合體,可以得到__int64 QuadPart;也可以分别得到低32位DWORD LowPart和高32位的值LONG HighPart。
在使用時,先使用QueryPerformanceFrequency()得到計數器的頻率,再計算二次調用QueryPerformanceCounter()所得的計時器值之差,用差去除以頻率就得到精确的計時了。
頭檔案:直接使用#include <windows.h>就可以了。
下面給出示例代碼,可以在你電腦上測試下。

1 //Windows系統下time(),clock(),timeGetTime(),GetTickCount(),QueryPerformanceCounter()來計時 by MoreWindows
2 #include <stdio.h>
3 #include <windows.h>
4 #include <time.h> //time_t time() clock_t clock()
5 #include <Mmsystem.h> //timeGetTime()
6 #pragma comment(lib, "Winmm.lib") //timeGetTime()
7
8 int main()
9 {
10 //用time()來計時 秒
11 time_t timeBegin, timeEnd;
12 timeBegin = time(NULL);
13 Sleep(1000);
14 timeEnd = time(NULL);
15 printf("%d\n", timeEnd - timeBegin);
16
17
18 //用clock()來計時 毫秒
19 clock_t clockBegin, clockEnd;
20 clockBegin = clock();
21 Sleep(800);
22 clockEnd = clock();
23 printf("%d\n", clockEnd - clockBegin);
24
25
26 //用timeGetTime()來計時 毫秒
27 DWORD dwBegin, dwEnd;
28 dwBegin = timeGetTime();
29 Sleep(800);
30 dwEnd = timeGetTime();
31 printf("%d\n", dwEnd - dwBegin);
32
33
34 //用GetTickCount()來計時 毫秒
35 DWORD dwGTCBegin, dwGTCEnd;
36 dwGTCBegin = GetTickCount();
37 Sleep(800);
38 dwGTCEnd = GetTickCount();
39 printf("%d\n", dwGTCEnd - dwGTCBegin);
40
41
42 //用QueryPerformanceCounter()來計時 微秒
43 LARGE_INTEGER large_interger;
44 double dff;
45 __int64 c1, c2;
46 QueryPerformanceFrequency(&large_interger);
47 dff = large_interger.QuadPart;
48 QueryPerformanceCounter(&large_interger);
49 c1 = large_interger.QuadPart;
50 Sleep(800);
51 QueryPerformanceCounter(&large_interger);
52 c2 = large_interger.QuadPart;
53 printf("本機高精度計時器頻率%lf\n", dff);
54 printf("第一次計時器值%I64d 第二次計時器值%I64d 計時器差%I64d\n", c1, c2, c2 - c1);
55 printf("計時%lf毫秒\n", (c2 - c1) * 1000 / dff);
56
57 printf("By MoreWindows\n");
58 return 0;
59 }
計時函數
轉自:MoreWindows