Do not use
using namespace stdin global scopeDo not useusing namespace stdin global scope.Never use global variables. Right away, this will introduce all sorts of problems, including maintainability and bugs. There are different alternatives to this, one being a
struct:Such a structure just needs the month, day, and year:
struct Date { int month; int day; int year; };Initialize the two
Dateinstances:// same order as appears in struct Date date1 = {1, 2, 2000}; Date date2 = {4, 5, 2001};Access the structures and set the data members (with your code):
std::cout << "Enter first date: "; std::cin >> date1.year >> date1.month >> date1.day; std::cout << "Enter second date: "; std::cin >> date2.year >> date2.month >> date2.day;If you want to get into encapsulation/information-hiding, I'd recommend a
classinstead. If you want to keep this simpler than astruct, just move the globals intomain()(but use the variables from my example). You could also create more specialized functions, thereby not just working inmain(). Modularity will help keep your code more organized and maintainable.I don't like
intfor these values (dates cannot be negative). I'd go withstd::size_tinstead (include<cstddef>to use it).month_days[]should be aconstwhile in global scope. As a constant, it can remain there because it cannot be changed by anything else. However, this will prevent you from accounting for leap-years. Speaking of which...To account for leap-years, I'd either:
- leave out February's value from the array (it's the only value that could change)
- not make the array a constant (the program will handle the values during runtime)
With that, you can allow the program to adjust February's value if a leap-year.