循环输入年份和月份,输出该月份的天数,直到年份输入0结束,c语言
时间: 2024-05-11 18:17:55 浏览: 101
c语言代码,输入年月日计算天数
可以使用switch语句来判断每个月份的天数,具体代码如下:
```c
#include <stdio.h>
int main() {
int year, month, days;
while (1) {
printf("请输入年份和月份(格式:年 月):");
scanf("%d %d", &year, &month);
if (year == 0) {
break;
}
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("请输入正确的月份!\n");
continue;
}
printf("%d 年 %d 月有 %d 天\n", year, month, days);
}
return 0;
}
```
在每次循环中,先输入年份和月份,判断输入的年份是否为0,如果是,则退出循环;否则根据月份使用switch语句判断天数,并输出结果。需要特别注意的是,2月份的天数需要根据闰年和平年来判断。
阅读全文