日期差值 九度教程第6题
作者:互联网
有两个日期,求两个日期之间的天数,如果两个日期是连续的我们规定他们之间的天数为两天
输入描述:
有多组数据,每组数据有两行,分别表示两个日期,形式为YYYYMMDD
输出描述:
每组数据输出一行,即日期差值
示例1
输入
20110412
20110422
输出
11
解题思路:
确定一个原点日期,当要求两个特定日期之间的天数差时,我们只要将它们与原点日期的天数差相减,便能得到这两个特定日期之间的天数差(必要时加绝对值)。
AC代码:
#include<iostream>
#include<algorithm>
using namespace std;
//判断是否为闰年
#define isyeap(x) (x % 100 !=0 && x % 4 == 0 ) || x % 400 == 0 ? 1 : 0
struct date {
int year;
int month;
int day;
};
int daysofmonth[2][13] = { { 0, 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 },
{ 0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 } };
int count(date a) {//计算与原点日期的天数差
int mycount = 0;
for (int i = 0; i < a.year; i++) {
if (isyeap(i)) mycount += 366;
else mycount += 365;
}
for (int i = 0; i < a.month; i++) {
if (isyeap(a.year)) {
mycount += daysofmonth[0][i];
}
else mycount += daysofmonth[1][i];
}
mycount += a.day;
return mycount;
}
int main() {
date a, b;
while (scanf("%4d%2d%2d", &a.year, &a.month, &a.day) != EOF) {
scanf("%4d%2d%2d", &b.year, &b.month, &b.day);
int num1 = count(a);
int num2 = count(b);
cout << abs(num1 - num2) + 1 << endl;
}
return 0;
}
笔记:
注意题目中scanf("%4d%2d%2d", &b.year, &b.month, &b.day);
的输入小技巧。
标签:教程,int,31,30,日期,九度,差值,year,mycount 来源: https://blog.csdn.net/RPG_Zero/article/details/100545965