欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Windows获取精确系统时间-微秒级

程序员文章站 2024-01-23 18:21:34
...

精确获取时间

QueryPerformanceFrequency() - 基本介绍

类型:Win32API

原型:BOOL QueryPerformanceFrequency(LARGE_INTEGER *lpFrequency);

作用:返回硬件支持的高精度计数器的频率。

返回值:非零,硬件支持高精度计数器;零,硬件不支持,读取失败。

QueryPerformanceFrequency() - 技术特点

    供WIN9X使用的高精度定时器:QueryPerformanceFrequency()和QueryPerformanceCounter(),要求计算机从硬件上支持高精度定时器。需包含windows.h头文件。

函数的原形是:

BOOL QueryPerformanceFrequency(LARGE_INTEGER *lpFrequency);

BOOL QueryPerformanceCounter (LARGE_INTEGER *lpCount);

    数据类型LARGEINTEGER既可以是一个作为8字节长的整数,也可以是作为两个4字节长的整数的联合结构,其具体用法根据编译器是否支持64位而定。该类型的定义如下:

typeef union _ LARGE_INTEGER

{

struct

{

DWORD LowPart;

LONG HighPart;

};

LONGLONG QuadPart;

} LARGE_INTEGER;

    在定时前应该先调用QueryPerformanceFrequency()函数获得机器内部计时器的时钟频率。接着在需要严格计时的事件发生前和发生之后分别调用QueryPerformanceCounter(),利用两次获得的计数之差和时钟频率,就可以计算出事件经历的精确时间。

测试Sleep的精确时间:

  1. #include <stdio.h>
  2. #include <windows.h>
  3. void main()
  4. {
  5. LARGE_INTEGER nFreq;
  6. LARGE_INTEGER nBeginTime;
  7. LARGE_INTEGER nEndTime;
  8. double time;
  9. QueryPerformanceFrequency(&nFreq);
  10. QueryPerformanceCounter(&nBeginTime);
  11. Sleep(1000);
  12. QueryPerformanceCounter(&nEndTime);
  13. time = (double)(nEndTime.QuadPart - nBeginTime.QuadPart) / (double)nFreq.QuadPart;
  14. printf("%f\n",time);
  15. Sleep(1000);
  16. system("Pause");
  17. }

结果为

0.999982

1.000088

1.000200

单位为妙,乘1000000即为微秒

------------------------------------------------------------------------

一个MyTimer类及使用

//MyTimer.h

  1. #ifndef MYTIMER_H
  2. #define MYTIMER_H
  3. #include <windows.h>
  4. class MyTimer
  5. {
  6. private:
  7. LONGLONG _freq;
  8. LARGE_INTEGER _begin;
  9. LARGE_INTEGER _end;
  10. public:
  11. long costTime; // 花费的时间(精确到微秒)
  12. public:
  13. MyTimer()
  14. {
  15. LARGE_INTEGER tmp;
  16. QueryPerformanceFrequency(&tmp);
  17. _freq=tmp.QuadPart;
  18. costTime=0;
  19. }
  20. void Start() // 开始计时
  21. {
  22. QueryPerformanceCounter(&_begin);
  23. }
  24. void End() // 结束计时
  25. {
  26. QueryPerformanceCounter(&_end);
  27. costTime=(long)((_end.QuadPart - _begin.QuadPart) * 1000000 / _freq);
  28. }
  29. void Reset() // 计时清0
  30. {
  31. costTime = 0;
  32. }
  33. };
  34. #endif
//MyTimer.cpp
  1. #include "stdafx.h"
  2. #include "MyTimer.h"
  3. #include <iostream>
  4. using namespace std;
  5. int _tmain(int argc, _TCHAR* argv[])
  6. {
  7. int i = 10000;
  8. MyTimer mt;
  9. mt.Start();
  10. while((i--)>0);
  11. mt.End();
  12. cout<<"所用时间为 " << mt.costTime << "us"<<endl;
  13. return 0;
  14. }


    相关标签: C++