5

我正在创建一个RFC3339时间戳,包括毫秒和 UTC,在 C++ 中使用std::chrono如下:

#include <chrono>
#include <ctime>
#include <iomanip>

using namespace std;
using namespace std::chrono;

string now_rfc3339() {
  const auto now = system_clock::now();
  const auto millis = duration_cast<milliseconds>(now.time_since_epoch()).count() % 1000;
  const auto c_now = system_clock::to_time_t(now);

  stringstream ss;
  ss << put_time(gmtime(&c_now), "%FT%T") <<
    '.' << setfill('0') << setw(3) << millis << 'Z';
  return ss.str();
}

// output like 2019-01-23T10:18:32.079Z

(原谅usings)

有没有更直接的方法来获取毫秒数now%1000now毫秒为单位到达那里似乎有些麻烦。或者关于如何做到这一点更惯用的任何其他评论?

4

1 回答 1

1

你也可以用减法来做到这一点:

string
now_rfc3339()
{
    const auto now_ms = time_point_cast<milliseconds>(system_clock::now());
    const auto now_s = time_point_cast<seconds>(now_ms);
    const auto millis = now_ms - now_s;
    const auto c_now = system_clock::to_time_t(now_s);

    stringstream ss;
    ss << put_time(gmtime(&c_now), "%FT%T")
       << '.' << setfill('0') << setw(3) << millis.count() << 'Z';
    return ss.str();
}

这避免了“幻数”1000。

此外,还有Howard Hinnant 的免费、开源、单标题、仅标题的日期时间库

string
now_rfc3339()
{
    return date::format("%FT%TZ", time_point_cast<milliseconds>(system_clock::now()));
}

这做同样的事情,但语法更简单。

于 2019-01-23T14:36:15.317 回答