写一段判断是不是闰年的程序
时间: 2024-10-28 09:07:42 浏览: 9
一个判断是否闰年的控制台程序.rar
判断是否为闰年的一个常见规则是在公历年份是4的倍数时(但不是100的倍数),除非它是400的倍数。根据这个规则,我们可以编写以下简单的C语言程序:
```c
#include <stdio.h>
// 判断是否为闰年的函数
int is_leap_year(int year) {
if (year % 4 == 0) {
if (year % 100 != 0 || year % 400 == 0)
return 1; // 是闰年,返回1
else
return 0; // 不是闰年,返回0
} else {
return 0; // 非闰年,直接返回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;
}
```
在这个程序中,`is_leap_year` 函数接收一个整数 `year`,并根据上述规则返回1表示闰年,0表示非闰年。然后在 `main` 函数里,我们让用户输入一个年份,调用该函数并输出相应的结果。
阅读全文