C语言编程 定义一个结构体变量(包括年、月、日)。计算今日在本年中是第几天,注意闰年问题
时间: 2023-12-12 12:07:39 浏览: 120
1.定义一个结构体变量(包括年、月、日)。计算该日在本年中是第几天,注意闰年的问题。
下面是一个示例代码,其中使用了一个函数来判断是否为闰年,以及根据年、月、日计算今天在本年中是第几天。
```c
#include <stdio.h>
struct Date {
int year;
int month;
int day;
};
int isLeapYear(int year) {
return (year % 4 == 0 && year % 100 != 0) || year % 400 == 0;
}
int calcDays(struct Date date) {
int days[] = {0,31,28,31,30,31,30,31,31,30,31,30,31};
int sum = 0;
for (int i = 1; i < date.month; i++) {
sum += days[i];
}
sum += date.day;
if (isLeapYear(date.year) && date.month > 2) {
sum += 1;
}
return sum;
}
int main() {
struct Date today = {2021, 10, 19};
int days = calcDays(today);
printf("Today is %dth day in %d\n", days, today.year);
return 0;
}
```
其中,`isLeapYear` 函数用于判断是否为闰年,如果是闰年则返回 1,否则返回 0。`calcDays` 函数用于计算今天在本年中是第几天,首先定义了一个数组 `days` 来存储每个月的天数,然后根据输入的日期计算出天数之和,最后根据闰年的情况对天数进行修正。在 `main` 函数中定义了今天的日期,并调用 `calcDays` 函数计算出今天在本年中是第几天,并输出结果。
阅读全文