用c语言 定义一个结构体变量,包含年、月、日。计算该日在本年中是第几天。
时间: 2023-12-03 18:10:11 浏览: 101
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 dayOfYear(struct Date date) {
int daysInMonth[] = {31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
int days = 0;
for (int i = 0; i < date.month - 1; i++) {
days += daysInMonth[i];
}
days += date.day;
if (isLeapYear(date.year) && date.month > 2) {
days += 1;
}
return days;
}
int main() {
struct Date date = {2021, 8, 7};
int days = dayOfYear(date);
printf("%d-%d-%d is the %dth day of the year.\n", date.year, date.month, date.day, days);
return 0;
}
```
在上面的代码中,我们定义了一个 `Date` 结构体,其中包含年、月、日三个成员变量。然后定义了两个函数,`isLeapYear` 用于判断是否是闰年,`dayOfYear` 用于计算该日在本年中是第几天。最后在 `main` 函数中创建了一个 `Date` 结构体变量,并计算出该日在本年中是第几天,然后输出结果。
阅读全文