直接给正确代码也可以的,不用看我写的代码了😢
#include <iostream>
using namespace std;
class Date
{
public:
// 获取某年某月的天数
int GetMonthDay(int year, int month)
{
static const int monthday[13] = { 0,31,28,31,30,31,30,31,31,30,31,30,31 };
if ((month == 2) && (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0))
{
return 29;
}
return monthday[month];
}
// 全缺省的构造函数
Date(int year = 2020, int month = 1, int day = 1)
{
if (year >= 0
&& month > 0 && month < 13
&& day>0 && day <= GetMonthDay(year, month))
{
_year = year;
_month = month;
_day = day;
}
else
{
cout << "Date invalid" << endl;
}
}
// 拷贝构造函数
Date(const Date& d)
{
this->_year = d._year;
_month = d._month;
_day = d._day;
}
Date& operator=(const Date& d)
{
if (this != &d)
{
this->_year = d._year;
this->_month = d._month;
this->_day = d._day;
}
return *this;
}
// 析构函数
~Date()
{}
// 日期+=天数
Date& operator+=(int day)
{
if (day < 0)
{
return *this -= -day;
}
_day += day;
while (_day > GetMonthDay(_year, _month))
{
_day -= GetMonthDay(_year, _month);
_month++;
if (_month == 13)
{
_year++;
_month = 1;
}
}
return *this;
}
// 前置++
Date& operator++()
{
*this += 1;
return *this;
}
// 后置++
Date operator++(int)
{
Date tmp(*this);
*this += 1;
return tmp;
}
// >运算符重载
bool operator>(const Date& d)
{
if (_year > d._year)
{
return true;
}
else if (_year == d._year)
{
if (_month > d._month)
{
return true;
}
else if (_month == d._month)
{
if (_day > d._day)
{
return true;
}
}
}
return false;
}
// <运算符重载
bool operator < (const Date& d)
{
return !(*this>=d);
}
// ==运算符重载
bool operator==(const Date &d)
{
return ((_year == d._year) && (_month == d._month) && (_day == d._day));
}
bool operator != (const Date &d)
{
return !(*this == d);
}
void Print()
{
cout << _year << "-" << _month << "-" << _day << endl;
}
private:
int _year;
int _month;
int _day;
};
int main()
{
Date d(2022, 5, 16);
Date d1(2020, 1, 1);
if(d==d1) {cout<<"Equal"<<endl;}
else if(d<d1) {cout<<"Less"<<endl;}
else {cout<<"Greater"<<endl;}
Date d2 = d + 1000;
d2.Print();
return 0;
}
运算符重载的问题,想问下面的代码怎么改呀,这个日期类Date,要求:
(1) 可以建立具有指定日期(年、月、日)的Date对象,默认日期是2020.1.1。
(2) 可以从输出流输出一个格式为“年-月-日”的日期,其中年是四位数据,月、日可以是一位也可以是两位数据。
(3)可以动态地设置年、月、日。
(4)可以用运算符= =、!=、< 和 > 对两个日期进行比较。
(5)可以用运算符 ++、+= 等完成天数的加一天或若干天的操作
(6)Date类必须能够正确表达日期,不会出现类似于13月,32日一类的情况。Date类还必须处理闰年的问题,闰年包括:所有能被400整除的年份,以及能被4整除同时又不能被100整除的年份。
输入格式:
第一行包含两个日期,第二行包含一个日期和一个整数。输入日期的格式为“年 月 日”。
输出格式:
输出两行:
第一行是比较输入数据第一行的两个日期,若相等,则输出“Equal”,若第一个日期小于第二个日期,则输出“Less”,若第一个日期大于第二个日期,则输出“Greater”。
第二行是输入数据第二行的日期+=输入的整数后的日期,输出格式和题目描述中的(2)一致,也就是“年-月-日”。
请问哪里出错了,出错了应该怎么写代码