基于c语言,编程输入年份和月份,输出每个月的天数(其中闰年二月就输出29天,平年二月输出28天)。如果输入的月份超出12,就输出 Input error!
时间: 2023-08-31 15:26:40 浏览: 98
### 回答1:
好的,下面是基于 C 语言的代码实现:
```c
#include <stdio.h>
int main() {
int year, month, days;
printf("请输入年份和月份:");
scanf("%d %d", &year, &month);
switch (month) {
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
days = 31;
break;
case 4:
case 6:
case 9:
case 11:
days = 30;
break;
case 2:
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
days = 29;
} else {
days = 28;
}
break;
default:
printf("Input error!\n");
return 0;
}
printf("%d年%d月有%d天\n", year, month, days);
return 0;
}
```
代码中用 switch-case 语句实现了根据月份判断天数的功能,对于闰年的判断采用了常用的判断方法,即能被 4 整除但不能被 100 整除,或者能被 400 整除。如果输入的月份超出了 12,就输出 Input error!。
### 回答2:
您好!以下是基于C语言的程序来实现输入年份和月份,输出每个月的天数的要求:
```c
#include <stdio.h>
int main() {
int year, month;
printf("请输入年份:");
scanf("%d", &year);
printf("请输入月份:");
scanf("%d", &month);
if (month <= 12) {
switch (month) {
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
printf("该月共有31天。\n");
break;
case 4:
case 6:
case 9:
case 11:
printf("该月共有30天。\n");
break;
case 2:
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
printf("该月共有29天。\n");
} else {
printf("该月共有28天。\n");
}
break;
}
} else {
printf("Input error!\n");
}
return 0;
}
```
程序中使用了`switch`语句根据输入的月份进行判断,并输出对应的天数。
如果月份为1、3、5、7、8、10、12中任意一个,就输出该月共有31天。
如果月份为4、6、9、11中任意一个,就输出该月共有30天。
如果月份为2,则通过判断是闰年还是平年来输出对应的天数。闰年的判断条件是:年份能被4整除但不能被100整除,或者能被400整除。
如果月份大于12,则输出"Input error!"。
希望这个回答能够帮到您,如有任何疑问,请随时追问。
### 回答3:
下面是一个基于C语言的程序,用于根据输入的年份和月份输出每个月的天数:
```c
#include <stdio.h>
int main() {
int year, month;
printf("请输入年份和月份:");
scanf("%d%d", &year, &month);
if (month > 12) {
printf("Input error!\n");
}
else {
int days;
switch (month) {
case 2:
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
days = 29; // 闰年二月有29天
}
else {
days = 28; // 平年二月有28天
}
break;
case 4:
case 6:
case 9:
case 11:
days = 30; // 四月、六月、九月和十一月都有30天
break;
default:
days = 31; // 其他月份都有31天
break;
}
printf("%d年%d月有%d天\n", year, month, days);
}
return 0;
}
```
这个程序首先提示用户输入年份和月份。然后,它会判断输入的月份是否超出12,如果超出12就输出 "Input error!"。如果没有超出12,程序会根据输入的年份和月份使用 switch 语句确定每个月的天数,包括闰年的二月和其他月份。最后,程序会输出每个月的天数。
阅读全文