2

我正在做一个项目,我需要比整秒更精细的粒度(即 time())。我正在浏览 opengroup.org,我注意到有成员 tv_usec 和 tv_nsec 的数据结构。

#include <stdio.h>
#include <time.h>

int main (void) {
      struct timespec ts;
      clock_gettime(CLOCK_REALTIME, &ts);
      printf("%lis %lins\n", ts.tv_sec, ts.tv_nsec);

      return 0;
}


test.cpp(5) : error C2079: 'ts' uses undefined struct 'main::timespec'
test.cpp(6) : error C2065: 'CLOCK_REALTIME' : undeclared identifier
test.cpp(6) : error C3861: 'clock_gettime': identifier not found

有没有一种简单的方法可以通过使用标准库来获得高精度的时间值?我实际上并不需要高精度,但我确实需要相对时间的增量。

4

3 回答 3

5

在 C++11 中,#include <chrono>并使用std::chrono::high_resolution_clock(也可从Boost获得)。

在 Posix 中,您可以使用gettimeofday获取微秒时间戳或clock_gettime纳秒分辨率。

于 2012-07-20T22:58:23.893 回答
1

看看我为分析编写的以下代码。在那里你会发现在 linux 环境中调用 ns 时间戳。对于另一个环境,您可能需要替换 CLOCK_MONOTONIC

#ifndef PROFILER_H
#define PROFILER_H

#include <sys/time.h>
#include <QString>

class Profiler
{
  public:
    Profiler(QString const& name);
    long measure() const;

    long measureNs() const;
    double measureMs() const;
    double measureS() const;
    void printNs() const;
    void printMs() const;
    void printS() const;
  private:
    QString mName;
    timespec mTime;
};

#endif // PROFILER_H

#include "profiler.h"
#include <QDebug>
#include <assert.h>
#include <iostream>

Profiler::Profiler(QString const& name):mName(name){
  clock_gettime(CLOCK_MONOTONIC, &mTime); // Works on Linux
}


long int Profiler::measureNs() const{
  timespec end;
  clock_gettime(CLOCK_MONOTONIC, &end); // Works on Linux 
  long int diff = (end.tv_sec-mTime.tv_sec) * 1000000000 + (end.tv_nsec - mTime.tv_nsec);
  assert(diff>0);
  return diff;
}

double Profiler::measureMs() const{
  return measureNs()/1000000.0;
}

double Profiler::measureS() const{
  return measureMs()/1000.0;
}

void Profiler::printNs() const{
  qDebug() << mName << "Time elapsed:" << measureNs() << "ns";
}

void Profiler::printMs() const{
  qDebug() << mName << "Time elapsed:" << measureMs() << "ms";
}

void Profiler::printS() const{
  qDebug() << mName << "Time elapsed:" << measureS() << "S";
}
于 2012-07-20T23:14:53.037 回答
1

感谢所有给出答案的人,这里是 LINUX/UNIX 答案的 Windows 等价物......

#include <stdio.h>
#include <windows.h>

int main (void) {
SYSTEMTIME st;
GetSystemTime(&st);
printf("%lis %lins\n", st.wSecond, st.wMilliseconds);

return 0;
}

编辑:您可能还想检查 GetTickCount(),但我认为它需要 CPU 成本。

于 2012-07-21T01:59:35.423 回答