我正在使用std::chrono
在C ++中创建一个RFC3339时间戳,包括毫秒和UTC,如下所示:
#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
(原谅using
s)
是否有更直接的方法来获取now
的毫秒数? %1000
到now
毫秒到达那里似乎有些麻烦。或有其他关于如何更惯用的评论吗?
答案 0 :(得分:0)
您也可以通过减法来做到这一点:
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's free, open source, single-header, header-only datetime library:
string
now_rfc3339()
{
return date::format("%FT%TZ", time_point_cast<milliseconds>(system_clock::now()));
}
这做同样的事情,但是语法更简单。