我尝试将boost local_date_time
转换为UTC,但是我对utc_time()的返回时间感到困惑。这是一个简化的代码:
#include "boost/date_time/local_time/local_time.hpp"
int main()
{
using namespace boost::gregorian;
using namespace boost::local_time;
using namespace boost::posix_time;
ptime dt = ptime(date(2015, Mar, 2), hours(0));
time_zone_ptr tz_cet(new boost::local_time::posix_time_zone("CET"));
local_date_time local_dt = boost::local_time::local_date_time(dt, tz_cet);
std::cout << local_dt << std::endl;
std::cout << local_dt.utc_time() << std::endl;
time_zone_ptr tz_utc(new boost::local_time::posix_time_zone("UTC"));
std::cout << local_dt.local_time_in(tz_utc) << std::endl;
}
输出:
2015-Mar-02 00:00:00 CET
2015-Mar-02 00:00:00
2015-Mar-02 00:00:00 UTC
UTC应该比欧洲中部时间晚1小时。
这是错误还是我错过了什么?
最佳答案
boost::local_time::posix_time_zone("CET")
构造函数调用使用CET
缩写创建一个区域,并缺少有关UTC的偏移量,DST的时间偏移等信息,即boost::local_time::posix_time_zone("CET")
和boost::local_time::posix_time_zone("UTC")
调用仅在TZ缩写名称中不同,其余相同。 coliru code演示了这一点。两个TZ的base_utc_offset
方法调用均返回00:00:00
。
要解决此问题,必须设置CET
区域的时间参数(例如“CET + 01:00:00”),或者使用tz_database类从CSV文件加载时区。
以下代码是原始的修改后的代码,演示了如何解决此问题。请注意,CET
时区描述不完整,仅作为示例提供。
#include "boost/date_time/local_time/local_time.hpp"
#include <iostream>
int main()
{
using namespace boost::gregorian;
using namespace boost::local_time;
using namespace boost::posix_time;
ptime dt = ptime(date(2015, Mar, 2), hours(0));
time_zone_ptr tz_cet(new boost::local_time::posix_time_zone("CET+01:00:00"));
local_date_time local_dt = boost::local_time::local_date_time(dt, tz_cet);
std::cout << local_dt << std::endl;
std::cout << local_dt.utc_time() << std::endl;
time_zone_ptr tz_utc(new boost::local_time::posix_time_zone("UTC"));
std::cout << local_dt.local_time_in(tz_utc) << std::endl;
}
this链接提供了coliru上的相同代码。