判断月份天数的代码,要求加入闰平年的判断,输入两个变量值,一个年份个月份。.C语言
时间: 2024-02-06 09:09:52 浏览: 67
下面是一个判断月份天数并加入闰平年判断的C语言代码:
```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 main() {
int year, month, days;
printf("请输入年份和月份:");
scanf("%d%d", &year, &month);
switch (month) { // 判断月份并计算天数
case 2:
if (is_leap_year(year)) {
days = 29;
} else {
days = 28;
}
break;
case 4:
case 6:
case 9:
case 11:
days = 30;
break;
default:
days = 31;
break;
}
printf("%d年%d月共有%d天。\n", year, month, days);
return 0;
}
```
首先,我们定义了一个函数 `is_leap_year()` 来判断闰年。判断方法为:能被4整除但不能被100整除的年份为闰年,或者能被400整除的年份也为闰年。
然后,在 `main()` 函数中,我们先输入年份和月份。接着,在 `switch` 语句中判断月份,并根据是否是闰年来计算该月的天数。最后输出结果。
阅读全文