c语言定义一个结构体变量(包括年、月、日)。计算该日在本年中是第几天,注意闰年问题
时间: 2023-12-26 10:28:02 浏览: 172
1.定义一个结构体变量(包括年、月、日)。计算该日在本年中是第几天,注意闰年的问题。
C语言中可以通过定义一个结构体变量来表示日期,然后计算该日在本年中是第几天。下面是一个示例代码:
```c
#include <stdio.h>
struct Date {
int year;
int month;
int day;
};
int isLeapYear(int year) {
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
return 1; // 是闰年
} else {
return 0; // 不是闰年
}
}
int dayOfYear(struct Date date) {
int daysInMonth[] = {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
int totalDays = 0;
for (int i = 1; i < date.month; i++) {
totalDays += daysInMonth[i];
}
totalDays += date.day;
if (isLeapYear(date.year) && date.month > 2) {
totalDays += 1;
}
return totalDays;
}
int main() {
struct Date date;
printf("请输入日期(年 月 日):");
scanf("%d %d %d", &date.year, &date.month, &date.day);
int day = dayOfYear(date);
printf("该日在本年中是第%d天\n", day);
return 0;
}
```
阅读全文