1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94
|
#include<iostream>
#include <algorithm>
#include <string>
const int monthUnder = 1;
const int monthOver = 31;
const std::vector<std::string> shortMonths{"Apr", "Jun", "Sep", "Nov"};
bool isShortMonth(const std::string& month)
{
return (std::find(std::begin(shortMonths), std::end(shortMonths), month) != std::end(shortMonths)) ? true : false;
}
bool isLeapYear (const int& year)
{
if(year % 4 != 0){ //not divisible by 4 - not leap year
return false;
}
else
{
if((year % 100 != 0) && (year % 400 != 0))//divisible by 4, not divisible by 100
return true; //and not divisible by 400 - leap year
if((year % 100 == 0) && (year % 400 !=0))//divisible by 4, divisible by 100
return false; //and not divisible by 400 - not leap year
if((year % 100 == 0) && (year % 400 == 0))//divisible by 4, divisible by 100
return true; //and divisible by 400 - leap year
else return false;
}
}
struct Date
{
int m_day;
std::string m_month;
int m_year;
Date(const int& day, const std::string& month, const int& year)
: m_day(day), m_month(month), m_year(year){}
};
std::ostream& operator << (std::ostream& os, const Date& d)
{
os << d.m_day << "/" << d.m_month << "/" << d.m_year;
return os;
}
Date defaultDate = Date(1, "Jan", 2000);
Date createDate()
{
int day{};
do
{
std::cout << "Enter day \n";
std::cin >> day;
} while ((day < monthUnder) || (day > monthOver));
std::cin.ignore();
std::cout << "Enter month \n";
std::string month{};
getline(std::cin, month);
std::cout << "Enter year \n";
int year{};
std::cin >> year;
std::cin.ignore();
if((day == monthOver) && isShortMonth(month))
{
std::cout << "31 selected as date for short month, returning default Date object \n";
return defaultDate;
}
if(month == "Feb")
{
if((!isLeapYear(year)) && ( day > 28))
{
std::cout << "Non-leap year Feb cannot have more than 28 days, return default Date object \n";
return defaultDate;
}
if((isLeapYear(year) && (day > 29)))
{
std::cout << "Leap year Feb cannot have more than 29 days, return default Date object \n";
return defaultDate;
}
return Date(day, month, year);
}
return Date(day, month, year);
}
int main()
{
std::cout << createDate();
}
|