使用 std chrono 库将 double 转换为时间点

Convert a double to time point using std chrono library

我有一个代表纪元时间的双精度值,但增加了微秒的精度。所以像这样的数字:

double time_us=1628517578.547;
std::chrono::time_point time(time_us);

上面的代码不起作用,因为我收到以下错误:

 no instance of constructor "time_point" matches the argument list  

我需要进行此转换以获取当天的毫秒数(从昨晚过去的毫秒数)。

我打算使用以下代码来获取所需的毫秒数:

double sysTOH=time.hour*3600+time.min*60+time.sec+time.usec*1e-6;

实现此目标的最佳方法是什么?

std::chrono::到处都是很多东西,所以我假设:

using namespace std::chrono;

time_point 不是具体类型,it is a class template:

template<class Clock, class Duration = typename Clock::duration> class time_point;

这意味着您必须至少提供第一个模板参数,在您的情况下,最好也提供第二个。

您的输入 time_ms 的类型为 double,表示计数 seconds。因此,首先创建一个符合该描述的类型:

using ds = duration<double>;

dsdurationrepdoubleperiodratio<1>

现在使用一点 C++20 很方便 <chrono>。别担心,如果你没有 C++20,还有一个 free, open-source, header-only preview of it that works with C++11/14/17.

sys_time<ds> time{ds{time_ms}};

sys_time"date/date.h" 为以下类型提供的类型别名:

time_point<system_clock, duration<double>>

time_point 基于 system_clock 使用您的自定义 duration 类型 ds(双基 seconds)。

首先将原始 double 转换为基于 doubleseconds,然后转换为基于 secondstime_point

接下来,最好转换为基于整数的 time_point 以查找自午夜以来的时间。您的问题可以互换使用 microsecondsmilliseconds。因此,我将假设所有内容都为 milliseconds。如果需要,请更改为 microseconds

auto tp = round<milliseconds>(time);

这需要基于双精度的 time_point 并将其转换为基于整数的 time_point,计数 millisecondsround 用于避免与基于双精度的表示相关的舍入误差。 round 是 C++17 及更高版本的一部分,但 "date/date.h" 将在 C++11/14 中为您提供。

tp的类型是time_point<system_clock, milliseconds>

接下来方便的是将tp截断到days的精度:

auto td = floor<days>(tp);

floor 是 C++17 及更高版本的一部分,但 "date/date.h" 将在 C++11/14 中为您提供。 days 是日精度 durationtd 只是自 Unix 纪元以来的天数,类型为 time_point<system_clock, days>.

也可以将 td 视为一天开始的时间点。因此可以从 tp 中减去它以获得“一天中的时间”或“自午夜以来的时间” UTC:

auto tod = tp - td;

tod 具有类型 milliseconds 是值是自午夜 UTC 以来 milliseconds 的数量。如果您需要某个时区定义的午夜,那么需要做更多的工作来考虑 UTC 偏移量。你的问题在这一点上含糊不清。

综合起来:

#include "date/date.h"
#include <chrono>
#include <iostream>

int
main()
{
    using namespace date;
    using namespace std::chrono;

    double time_ms=1628517578.547;
    using ds = duration<double>;
    sys_time<ds> time{ds{time_ms}};
    auto tp = round<milliseconds>(time);
    auto td = floor<days>(tp);
    auto tod = tp - td;
    std::cout << "tod = " << tod << '\n';
}

输出:

tod = 50378547ms