unsigned int Tick = GetTickCount();
此代码仅在Windows上运行,但我想使用C ++标准库,以便它可以在其他地方运行。
我搜索了std::chrono
,但找不到像GetTickCount()
这样的函数。
你知道我应该使用std::chrono
吗?
答案 0 :(得分:4)
您可以在Windows'之上构建自定义chrono
时钟。 GetTickCount()
。然后使用那个时钟。在移植中,您所要做的就是移植时钟。例如,我不在Windows上,但是这样的端口可能是这样的:
#include <chrono>
// simulation of Windows GetTickCount()
unsigned long long
GetTickCount()
{
using namespace std::chrono;
return duration_cast<milliseconds>(steady_clock::now().time_since_epoch()).count();
}
// Clock built upon Windows GetTickCount()
struct TickCountClock
{
typedef unsigned long long rep;
typedef std::milli period;
typedef std::chrono::duration<rep, period> duration;
typedef std::chrono::time_point<TickCountClock> time_point;
static const bool is_steady = true;
static time_point now() noexcept
{
return time_point(duration(GetTickCount()));
}
};
// Test TickCountClock
#include <thread>
#include <iostream>
int
main()
{
auto t0 = TickCountClock::now();
std::this_thread::sleep_until(t0 + std::chrono::seconds(1));
auto t1 = TickCountClock::now();
std::cout << (t1-t0).count() << "ms\n";
}
在我的系统上,steady_clock
恰好在启动后返回纳秒。您可能会在其他平台上找到其他不可移植的模拟GetTickCount()
的方法。但是一旦完成了这个细节,你的时钟就会很稳定,时钟的客户也不需要对它有所了解。
对我来说,这个测试可靠地输出:
1000ms