c语言判断闰年判断闰年
时间: 2024-10-30 13:04:12 浏览: 37
在 C 语言中,判断闰年的标准通常基于格里高利历的规定。闰年有以下几个条件:
1. 能够被4整除的年份一般是闰年(如2004年、2020年);
2. 但是能被100整除的年份不是闰年(例如1900年就不是闰年);
3. 但是如果该年份同时能被400整除,则依然是闰年(比如2000年就是闰年,因为它既能被4整除又能被400整除)。
以下是判断闰年的简单 C 语言函数示例:
```c
#include <stdio.h>
int is_leap_year(int year) {
if (year % 4 == 0) {
if (year % 100 == 0) {
if (year % 400 == 0)
return 1; // 是闰年
else
return 0; // 不是闰年
} else {
return 1; // 是闰年
}
} else {
return 0; // 不是闰年
}
}
int main() {
int year;
printf("请输入一个年份:");
scanf("%d", &year);
if (is_leap_year(year))
printf("%d年是闰年\n", year);
else
printf("%d年不是闰年\n", year);
return 0;
}
```
阅读全文