阅读量:0
C语言中判断闰年的方法是通过对年份进行取模来判断的。闰年有以下几个条件:
- 年份能被4整除,但不能被100整除。
- 年份能被400整除。
根据这些条件,可以用以下C代码来判断一个年份是否为闰年:
#include <stdio.h> int isLeapYear(int year) { if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) { return 1; // 是闰年 } else { return 0; // 不是闰年 } } int main() { int year; printf("请输入一个年份:"); scanf("%d", &year); if (isLeapYear(year)) { printf("%d年是闰年。\n", year); } else { printf("%d年不是闰年。\n", year); } return 0; }
在上面的代码中,isLeapYear
是用于判断是否为闰年的函数。根据闰年的定义,如果年份能被4整除但不能被100整除,或者能被400整除,则返回1,表示是闰年;否则返回0,表示不是闰年。在main
函数中,首先从用户输入获取一个年份,然后调用isLeapYear
函数进行判断,并输出相应的结果。