C语言自定义1个函数day_of_year(year, month, day),计算并返回年year、月month和日day对应的是该年的第几天。
时间: 2024-05-08 16:21:49 浏览: 226
C语言计算某日是该年的第几天
以下是一个实现了计算年、月、日对应的天数的C语言函数:
```c
int day_of_year(int year, int month, int day){
// 每个月对应的天数,闰年2月有29天
int day_per_month[] = {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
// 如果是闰年,2月有29天
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
day_per_month[2] = 29;
}
int total_day = 0;
for (int i = 1; i < month; i++) {
total_day += day_per_month[i];
}
total_day += day;
return total_day;
}
```
这个函数接受三个整数参数:年、月、日。它首先定义了一个数组`day_per_month`,其中包含了每个月对应的天数(闰年的2月有29天)。然后,如果给定的年份是闰年,函数会更新`day_per_month`数组中的2月天数。接着,函数使用一个循环来计算给定日期之前的所有天数。最后,将给定的日期天数加到总天数中,并将总天数返回。
你可以在main函数中调用该函数并输出结果。
阅读全文