c语言判断闰年并输出多少天
时间: 2024-12-06 21:27:28 浏览: 13
在C语言中,判断闰年的标准通常有两种:
1. 能够被4整除的年份通常是闰年,但如果这个年份能被100整除,则它不是闰年,除非它还能被400整除。例如,1900年不是闰年,而2000年是闰年。
2. 公元前的年份有特殊的规则,如果能被4整除但不能被100整除,或者能被400整除,那就是闰年。
下面是一个简单的函数示例,用于检查是否为闰年,并返回一年总共有多少天(闰年有366天,平年有365天):
```c
#include <stdio.h>
int is_leap_year(int year) {
if (year % 4 == 0 && (year % 100 != 0 || year % 400 == 0)) {
return 1; // 是闰年
} else {
return 0; // 不是闰年
}
}
int days_in_year(int year) {
int leap = is_leap_year(year);
return leap ? 366 : 365;
}
int main() {
int input_year;
printf("请输入一个年份:");
scanf("%d", &input_year);
if (is_leap_year(input_year)) {
printf("%d年是闰年,总共有%d天\n", input_year, days_in_year(input_year));
} else {
printf("%d年不是闰年,总共有%d天\n", input_year, days_in_year(input_year));
}
return 0;
}
```
阅读全文