C语言+定义一个结构体变量(包括年、月、日)。用函数countdays实现计算该日在本年中是第几天,并计算该年份是否闰年。要求由主函数将年、月、日传递给countdays函数,计算后将日数传回主函数输
时间: 2023-12-26 18:28:46 浏览: 153
以下是使用C语言定义一个结构体变量,并通过函数countdays计算该日在本年中是第几天,并判断该年份是否为闰年的示例代码:
```c
#include <stdio.h>
struct Date {
int year;
int month;
int day;
};
int countdays(struct Date date) {
int daysInMonth[] = {31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
int totalDays = 0;
// 判断是否为闰年
if ((date.year % 4 == 0 && date.year % 100 != 0) || date.year % 400 == 0) {
daysInMonth[1] = 29;
}
// 计算该日在本年中是第几天
for (int i = 0; i < date.month - 1; i++) {
totalDays += daysInMonth[i];
}
totalDays += date.day;
return totalDays;
}
int main() {
struct Date date;
printf("请输入年份:");
scanf("%d", &date.year);
printf("请输入月份:");
scanf("%d", &date.month);
printf("请输入日期:");
scanf("%d", &date.day);
int days = countdays(date);
printf("该日在本年中是第%d天\n", days);
if ((date.year % 4 == 0 && date.year % 100 != 0) || date.year % 400 == 0) {
printf("%d年是闰年\n", date.year);
} else {
printf("%d年不是闰年\n", date.year);
}
return 0;
}
```
阅读全文