5

我将雷达数据作为“轨迹”获取,轨迹数据显然表示自上次午夜以来的 UTC 秒数。这不是自 1970 年 1 月 1 日以来的秒数。

现在我想将其转换为日期时间,因为我知道计算机上的时钟可能与雷达上的时钟稍微不同步。我假设雷达的秒是参考,而不是计算机的。我想将这些秒数转换为完整的日期时间。午夜时分,事情似乎有点棘手。

有什么建议么?我有一些想法,但我不想错过任何东西。

我正在使用 C++ Qt。

4

2 回答 2

1
//  Function to extend truncated time, given the wall time and period, all
//  in units of seconds.
//
//  Example: Suppose the truncated period was one hour, and you were
//  given a truncated time of 25 minutes after the hour. Then:
//
//  o Actual time of 07:40:00 results in 07:25:00 (07:40 + -15)
//  o Actual time of 07:10:00 results in 07:25:00 (07:10 + +15)
//  o Actual time of 07:56:00 results in 08:25:00 (07:56 + +29)

double extendTruncatedTime(double trunc, double wall, int period) {
   return wall + remainder(trunc - wall, period);
}

#define extendTruncatedTime24(t) extendTruncatedTime(t, time(0), 24 * 60 * 60)

一些评论:

  • 的单位wall是秒,但它的基数可以是任意的。在 Unix 中,它通常从 1970 年开始。

  • 闰秒在这里不相关。

  • 你需要#include <math.h>remainder().

  • 根据OP 的要求, periodinextendTruncatedTime()几乎总是 24 小时,24 * 60 * 60。也就是说,给定一天中的时间,它会根据“墙壁”时间通过添加年、月和日来扩展它。

  • 我知道上一条语句的唯一例外是,因为你提到雷达,是在 Asterix CAT 1 数据项 I001/141 中,其中周期为 512 秒,并且extendTruncatedTime()给出的不太适用。

  • 还有一个重要的案例extendTruncatedTime()没有涉及。假设给你一个截断的时间,由月中的日期、小时和分钟组成。年份和月份怎么填?

以下代码片段将年份和月份添加到从 DDHHMM 格式派生的时间:

time_t extendTruncatedTimeDDHHMM(time_t trunc, time_t wall) {
   struct tm retval = *gmtime_r(&trunc, &retval);
   struct tm now    = *gmtime_r(&wall,  &now);
   retval.tm_year = now.tm_year;
   retval.tm_mon  = now.tm_mon;
   retval.tm_mon += now.tm_mday - retval.tm_mday >  15; // 15 = half-month
   retval.tm_mon -= now.tm_mday - retval.tm_mday < -15;
   return timegm(&retval);
}

如所写,这不处理错误的输入。例如,如果今天是 7 月 4 日,那么无意义的310000将悄悄地转换为 7 月 1 日。(这可能是一个特性,而不是一个错误。)

于 2012-10-12T13:00:14.687 回答
0

如果您可以链接到另一个库,我建议您使用boost::date_time

似乎您想从午夜(纪元)开始以秒为单位获取当前日期,然后将雷达时间添加到其中,然后将总和转换回日期时间,并将其转换为字符串。

使用 boost 将帮助您:

  • 获取正确的当地时间
  • 计算日期
  • 将漂移纳入计算
  • 考虑闰秒

因为您将拥有诸如时间间隔和持续时间之类的概念。您可以使用类似的东西(来自 boost 示例):

ptime t4(date(2002,May,31), hours(20)); //4 hours b/f midnight NY time
ptime t5 = us_eastern::local_to_utc(t4);
std::cout << to_simple_string(t4) << " in New York is " 
          << to_simple_string(t5) << " UTC time "
          << std::endl;

如果你想手动计算漂移,你可以很容易地做时间数学,类似于这样的结构:

 ptime t2 = t1 - hours(5)- minutes(4)- seconds(2)- millisec(1);
于 2012-10-12T12:43:33.107 回答