在 C++ 中查找两个给定日期之间的天数
在这个问题中,我们得到两个数组 date1[] 和 date2[],每个数组包含 3 个整数,表示日期的日-月-年。我们的任务是找到两个给定日期之间的天数。
让我们来看一个例子来理解这个问题:
输入
date1[] = {13, 3, 2021}, date2[] = {24, 5, 2023}
输出
802
解释
差值为 2 年,2 个月 (3 - 5) 和 11 天。
2*356 + (30 + 31) + 11 = 802
解决方案方法
解决这个问题的一个简单方法是从起始日期 date1 循环到 date2,计算天数,然后返回结果。这种方法可以,但是可能存在更有效的方法。
高效方法
解决这个问题的更有效方法是计算 date1[] 和 date2[] 两个日期之前的总天数。然后,两者之间的绝对差值就是结果。
计算从 0000年1月1日到 date1[] 的总天数。
年
date1[2] 年第一天之前的总天数
Number of days = 365*(years) + no. of leap year
月
月份第一天之前的总天数。从月份数组中计数。
Number of days = monthDays[date[1]].
monthDays 将存储到该月第一天之前的总天数。
日
天数。
所有这些的总和就是 date1[] 日期之前的总天数。计数之间的差值就是结果。
程序说明了我们解决方案的工作原理:
示例
#include <iostream> #include <math.h> using namespace std; const int monthDays[12] = { 31, 59, 90, 120, 151, 181, 212, 243, 273, 304, 334, 365 }; int countLeapYearDays(int d[]){ int years = d[2]; if (d[1] <= 2) years--; return ( (years / 4) - (years / 100) + (years / 400) ); } int countNoOfDays(int date1[], int date2[]){ long int dayCount1 = (date1[2] * 365); dayCount1 += monthDays[date1[1]]; dayCount1 += date1[0]; dayCount1 += countLeapYearDays(date1); long int dayCount2 = (date2[2] * 365); dayCount2 += monthDays[date2[1]]; dayCount2 += date2[0]; dayCount2 += countLeapYearDays(date2); return ( abs(dayCount1 - dayCount2) ); } int main(){ int date1[3] = {13, 3, 2021}; int date2[3] = {24, 5, 2023}; cout<<"The number of days between two dates is "<<countNoOfDays(date1, date2); return 0; }
输出
The number of days between two dates is 802
广告