我需要获取当前的本地时间(包括毫秒),并将其传递给某些嵌入式设备。该设备现在已经了解了日历时间,但是拥有自己的计时器,精度为1毫秒。因此,当该设备收到当前时间戳时,它将打开日志文件并将此时间戳写入开始。从现在开始,它将不同的消息写入日志,每个消息都具有从此初始时间起经过的毫秒数。最后,嵌入式设备日志文件将上传到主机并应进行解析,所有相对时间间隔都将转换回完整的日历时间。主机程序的第一部分如下所示:
struct timestamp
{
int year; // 0-based
int month; // [1-12]
int day; // [1-31]
int hour; // [0-23]
int minute; // [0-59]
int sec; // [0-59]
int ms; // [0-999]
};
timestamp time_point_to_timestamp(std::chrono::time_point<std::chrono::system_clock> tp)
{
auto seconds = std::chrono::time_point_cast<std::chrono::seconds>(tp);
auto fraction = tp - seconds;
auto milliseconds = std::chrono::duration_cast<std::chrono::milliseconds>(fraction);
time_t tt = std::chrono::system_clock::to_time_t(tp);
tm* ptm = localtime(&tt);
timestamp t;
t.year = ptm->tm_year + 1900;
t.month = ptm->tm_mon + 1;
t.day = ptm->tm_mday;
t.hour = ptm->tm_hour;
t.minute = ptm->tm_min;
t.sec = ptm->tm_sec;
t.ms = static_cast<int>(milliseconds.count());
return t;
}
void start()
{
timestamp ts = time_point_to_timestamp(std::chrono::system_clock::now());
// send ts to embedded device
// ...
}
现在,当我将日志从设备返回到主机时,它看起来像这样:
2018 6 24 8 25 52 598 // start time ts
500 message 1 // ms elapsed from ts
2350 message 2 // ms elapsed from ts
...
我需要解析此文件并转换每条消息,并打印其完整日期和时间。例如,将500转换为:
2018 6 24 8 25 53 098
因此,我需要某种方法将timestamp
转换为任何C ++类型,从而允许为其添加时间间隔(time_point
,duration
?),并以易于阅读的方式打印出来。形成。我的编译器支持C ++ 14。
答案 0 :(得分:2)
我会这样做:
int64_t to_epoch_ms(time_point<system_clock> tp)
{
return duration_cast<milliseconds>(tp.time_since_epoch()).count();
}
然后将自纪元以来的毫秒数传递到设备,在设备上可以将其记录为例如1529819166927
。无论直接使用int64_t
还是通过转换回time_point
来完成,添加毫秒都是微不足道且快速的:
time_point<system_clock> from_epoch_ms(int64_t ms)
{
return {milliseconds(ms)};
}
auto tp1 = from_epoch_ms(ms + 123);
auto tp1 = from_epoch_ms(ms) + milliseconds(456);