2

我有:

time_t dataFromTodayByAddingYearsMonthsDays(int years, int months, int days)
{        
    using namespace boost::local_time;

    local_date_time local = local_sec_clock::local_time(time_zone_ptr());
    local += boost::gregorian::years(years);
    local += boost::gregorian::months(months);
    local += boost::gregorian::days(days);

    return ???;
}

我如何将这个增强local_date_time野兽转换为time_t

4

2 回答 2

4

这是答案的重点:

time_t to_time_t(boost::posix_time::ptime const& pt) //! assumes UTC
{
    return (pt - boost::posix_time::from_time_t(0)).total_seconds();
}

当您使用它时,我会更简洁地编写日期计算:

int main()
{
    using namespace boost::local_time;

    auto now  = local_sec_clock::local_time(time_zone_ptr()),
         then = now + ymd_duration { 1, 3, -4 };

    std::cout << now  << ", " << to_time_t(now.utc_time())  << "\n";
    std::cout << then << ", " << to_time_t(then.utc_time()) << "\n";
}

在 Coliru 上看到它,打印

2014-May-12 21:50:06 UTC, 1399931406
2015-Aug-08 21:50:06 UTC, 1439070606

Full Code

#include <boost/date_time/posix_time/posix_time.hpp>
#include <boost/date_time/local_time/local_time.hpp>
#include <boost/date_time/local_time/local_time_io.hpp>

struct ymd_duration { int years, months, day; };

template <typename T>
T operator+(T const& pt, ymd_duration delta)
{
    using namespace boost::gregorian;
    return pt + years(delta.years) + months(delta.months) + days(delta.day);
}

time_t to_time_t(boost::posix_time::ptime const& pt) //! assumes UTC
{
    return (pt - boost::posix_time::from_time_t(0)).total_seconds();
}

int main()
{
    using namespace boost::local_time;

    auto now  = local_sec_clock::local_time(time_zone_ptr()),
         then = now + ymd_duration { 1, 3, -4 };

    std::cout << now  << ", " << to_time_t(now.utc_time())  << "\n";
    std::cout << then << ", " << to_time_t(then.utc_time()) << "\n";
}
于 2014-05-12T21:50:56.420 回答
1
time_t dataFromTodayByAddingYearsMonthsDays(int years, int months, int days)
{
    using namespace boost::local_time;
    using namespace boost::posix_time;

    local_date_time local = local_sec_clock::local_time(time_zone_ptr());
    local += boost::gregorian::years(years);
    local += boost::gregorian::months(months);
    local += boost::gregorian::days(days);

    ptime utc = local.utc_time();
    ptime epoch(boost::gregorian::date(1970, 1, 1));
    time_duration::sec_type diff = (utc - epoch).total_seconds();

    return time_t(diff);
}
于 2014-05-12T16:50:42.773 回答