1

我想知道是否有任何简单而简短的方法来计算 C++ 中两个日期之间经过多少年的提升?

例如(YYYY-MM-DD):

2005-01-01 到 2006-01-01 为 1 年

2005-01-02 到 2006-01-01 为 0 年

如果我假设使用这样的代码没有闰年,我可以很容易地计算出来:

boost::gregorian::date d1( 2005, 1, 1 );
boost::gregorian::date d2( 2006, 1, 1 );

boost::gregorian::date_duration d3 = d1 - d2;
std::cout << abs( d3.days() ) / 365;

但是使用这样的代码,2000-01-02 和 2001-01-01 之间的差异是 1 年,应该是 0,因为 2000 是闰年,我想考虑闰年。

// 编辑

我想将年份作为整数。我已经创建了这样的代码(我认为现在可以使用),但是如果有人比我对 boost 有更好的了解,我会很感激一些优雅的解决方案:

boost::gregorian::date d1( 2005, 4, 1 );
boost::gregorian::date d2( 2007, 3, 1 );

int _yearsCount = abs( d1.year() - d2.year() );

// I want to have d1 date earlier than d2
if( d2 < d1 ) {
    boost::gregorian::date temp( d1 );
    d1 = boost::gregorian::date( d2 );
    d2 = temp;
}

// I assume now the d1 and d2 has the same year
// (the later one), 2007-04-01 and 2007-03-1
boost::gregorian::date d1_temp( d2.year(), d1.month(), d1.day() );
if( d2 < d1_temp )
    --_yearsCount;
4

1 回答 1

3

假设您想要完整的年数(0、1 或更多),那么:

if (d1 > d2)
    std::swap(d1, d2); // guarantee that d2 >= d1

boost::date_time::partial_date pd1(d1.day(), d1.month());
boost::date_time::partial_date pd2(d2.day(), d2.month());

int fullYearsInBetween = d2.year() - d1.year();
if (pd1 > pd2)
    fullYearsInBetween -= 1;

虽然这基本上等于你的算法(你在我写这篇文章时编辑了这篇文章)。

于 2013-03-19T19:43:39.170 回答