用C++编写程序:输入一个日期,判断该日期是否正确
时间: 2024-03-13 19:46:15 浏览: 66
关于日期的C++程序
好的,我可以提供一个简单的C++程序,用于判断输入的日期是否正确。代码如下:
```c++
#include <iostream>
using namespace std;
int main() {
int year, month, day;
cout << "请输入日期(格式:年 月 日):" << endl;
cin >> year >> month >> day;
bool isLeapYear = ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0); // 判断是否是闰年
int monthDays[12] = {31, 28 + isLeapYear, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}; // 每个月的天数,闰年2月为29天
bool isValidDate = (year > 0 && month > 0 && month <= 12 && day > 0 && day <= monthDays[month-1]); // 判断日期是否合法
if (isValidDate) {
cout << "输入的日期是正确的!" << endl;
} else {
cout << "输入的日期是错误的!" << endl;
}
return 0;
}
```
程序首先会提示用户输入日期,然后根据用户输入的年、月、日进行判断,判断年份是否为闰年,再根据每个月的天数进行判断,最后输出判断结果。如果输入的日期合法,则输出“输入的日期是正确的!”;否则输出“输入的日期是错误的!”
阅读全文