Date.h
#pragma once#include <iostream>
using std::cout;
using std::endl;class Date {
private:int _year = 1;int _month = 1;int _day = 1;public://日期类无需显式定义拷贝构造函数、析构函数、赋值运算符重载//打印void Print();//有参构造函数Date(int year = 1, int month = 1, int day = 1);//==重载bool operator==(const Date& d);//!=重载bool operator!=(const Date& d);//<重载bool operator<(const Date& d);//<=重载bool operator<=(const Date& d);//>重载bool operator>(const Date& d);//>=重载bool operator>=(const Date& d);//日期+=天数重载Date& operator+=(int day);//日期+天数重载Date operator+(int day);//日期-=天数重载Date& operator-=(int day);//日期-天数重载Date operator-(int day);//日期前置++重载Date& operator++();//日期后置++重载Date operator++(int);//日期类-日期类重载int operator-(const Date& d);//某月的天数(函数直接定义在类中相当于内联函数)int Getmonthday(const Date& d){static int monthday[13] = { 0,31,28,31,30,31,30,31,31,30,31,30,31 };if (d._month == 2 && (((d._year % 4 == 0) && (d._year % 100 != 0)) || d._year % 400 == 0)){return 29;}return monthday[d._month];}};
Date.cpp
#include "Date.h"
//打印
void Date::Print()
{cout << _year << "/" << _month << "/" << _day << endl;
}//有参构造函数
Date::Date(int year, int month, int day)
{_year = year;_month = month;_day = day;
}//==重载
bool Date::operator==(const Date& d)
{return this->_year == d._year&& this->_month == d._month&& this->_day == d._day;
}//!=重载
bool Date::operator!=(const Date& d)
{return !(*this == d);
}//<重载
bool Date::operator<(const Date& d)
{if (this->_year < d._year){return true;}else if (this->_year == d._year){if (this->_month < d._month){return true;}else if (this->_month == d._month){if (this->_day < this->_day){return true;}}}return false;
}//<=重载
bool Date::operator<=(const Date& d)
{return ((*this) < d) || (*(this) == d);
}//>重载
bool Date::operator>(const Date& d)
{return !(*(this) <= d);
}//>=重载
bool Date::operator>=(const Date& d)
{return !(*(this) < d);
}//日期+=天数重载
Date& Date::operator+=(int day)
{_day += day;while (_day > Getmonthday(*this)){_day -= Getmonthday(*this);++_month;if (_month > 12){_month = 1;++_year;}}return *this;
}//日期+天数重载
Date Date::operator+(int day)
{Date tmp = *this;tmp += day;return tmp;
}//日期-=天数重载
Date& Date::operator-=(int day)
{_day -= day;while (_day <= 0){--_month;if (_month == 0){_month = 12;--_year;}_day += Getmonthday(*this);}return *this;
}//日期-天数重载
Date Date::operator-(int day)
{Date tmp = *this;tmp -= day;return tmp;
}//日期前置++重载
Date& Date::operator++()
{*this += 1;return *this;
}//日期后置++重载
Date Date::operator++(int)
{Date tmp = *this;*this += 1;return tmp;
}//日期类-日期类重载
int Date::operator-(const Date& d)
{Date min = *this;Date max = d;int flag = -1;if (*this > d){flag = 1;min = d;max = *this;}int n = 0;while (min != max){min++;n++;}return n * flag;
}