假设我从Web服务器接收要解析的字符串。此字符串包含格式为YYYY-MM-DD
的日期。
我想要的是将它转换为代表那天开始的时间戳,因此我不想要秒,分钟和小时。
作为一个虚拟示例,我试图在转换为YYYY-MM-DD
格式后提取当天的时间戳。这是代码:
#include <chrono>
#include <iomanip>
#include <iostream>
#include <sstream>
int main()
{
// Current time at GMT
std::time_t now = std::time(0);
std::tm *now_tm = std::gmtime(&now);
std::ostringstream oss;
// Extract yyyy-mm-dd = %F
oss << std::put_time(now_tm, "%F");
// Use oss to get a date without seconds from
// current time at gmt
std::tm tm;
std::istringstream ss(oss.str());
ss >> std::get_time(&tm, "%F");
std::time_t current_date = std::mktime(&tm);
std::cout << oss.str() << std::endl;
std::cout << "cd: " << current_date << std::endl;
return 0;
}
输出结果为:
2017-10-19
cd: 1908337984324104
提取的时间戳显然是错误的。使用2017-10-19
格式解析%F
字符串的问题在哪里?
答案 0 :(得分:2)
您可以使用Howard Hinnant's, free, open-source, header-only chrono-extension library在不离开chrono
类型系统安全的情况下执行此操作。
#include "date/date.h"
#include <iostream>
int
main()
{
std::istringstream ss{"2017-10-19"};
date::sys_seconds tp;
ss >> date::parse("%F", tp);
std::cout << date::format("%F\n", tp);
using date::operator<<;
std::cout << "cd: " << tp.time_since_epoch() << '\n';
}
date::sys_seconds
是一个std::chrono::time_point
,在Unix Time中计算chrono::seconds
。您可以使用%F
直接解析它。您也可以使用相同的格式字符串(%F
)对其进行格式化,并检查chrono::seconds
的基础计数。该计划输出:
2017-10-19
cd: 1508371200s
答案 1 :(得分:1)
documentation of std::get_time列出没有转换说明符%F。当检查流标志(你总是应该这样做!)时,它也会告诉转换失败,至少我的编译器是这样。
因此,将其替换为%Y-%m-%d,转换成功。最后,您默认构造了tm变量而没有将其置零(例如,通过值初始化)。修复此问题时,代码按预期工作:
#include <chrono>
#include <iomanip>
#include <iostream>
#include <sstream>
int main()
{
// Current time at GMT
std::time_t now = std::time(0);
std::tm *now_tm = std::gmtime(&now);
std::ostringstream oss;
// Extract yyyy-mm-dd = %F
oss << std::put_time(now_tm, "%Y-%m-%d");
// Use oss to get a date without seconds from
// current time at gmt
std::tm tm{ }; // value-initialize!
std::istringstream ss(oss.str());
ss >> std::get_time(&tm, "%Y-%m-%d");
if(!ss) std::cout << "conversion error\n";
else {
std::time_t current_date = std::mktime(&tm);
std::cout << current_date << '\n';
std::cout << "cd: " << current_date << '\n';
}
return 0;
}