```c
include
// 判断是否是闰年
int isLeapYear(int year) {
return (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
}
// 计算从公元1年1月1日到给定日期的总天数
int calculateTotalDays(int year, int month, int day) {
int daysInMonth[] = {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
if (isLeapYear(year)) {
daysInMonth = 29;
}
int totalDays = 0;
for (int i = 1; i < year; i++) {
totalDays += isLeapYear(i) ? 366 : 365;
}
for (int i = 1; i < month; i++) {
totalDays += daysInMonth[i];
}
totalDays += day;
return totalDays;
}
int main() {
int year, month, day;
printf("请输入年份: ");
scanf("%d", &year);
printf("请输入月份: ");
scanf("%d", &month);
printf("请输入日期: ");
scanf("%d", &day);
int totalDays = calculateTotalDays(year, month, day);
printf("从公元1年1月1日到%d年%d月%d日共有%d天\n", year, month, day, totalDays);
return 0;
}
```
代码说明:
isLeapYear函数 :判断给定的年份是否是闰年。calculateTotalDays函数:
计算从公元1年1月1日到给定日期的总天数,考虑闰年情况。
main函数
提示用户输入年份、月份和日期。
调用`calculateTotalDays`函数计算总天数并输出结果。
这个程序可以作为一个简单的日期计算器,帮助用户了解从一个日期到另一个日期之间的天数。