用C语言输入2012年(闰年)的一个月份,输出这个月的天数。(switch语句)
时间: 2024-05-06 22:19:38 浏览: 121
```c
#include <stdio.h>
int main() {
int month;
printf("请输入一个月份:");
scanf("%d", &month);
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:
printf("该月有29天。\n");
break;
default:
printf("输入的月份不合法!\n");
break;
}
return 0;
}
```
相关问题
用c语言输入2012年(闰年)的一个月份,输出这个月的天数。(switch语句)
这道题很简单,可以使用 switch 语句和 if 语句来完成。以下是一份示例代码:
```c
#include <stdio.h>
int main() {
int year = 2012;
int month = 2;
int days;
switch (month) {
case 2:
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
days = 29;
} else {
days = 28;
}
break;
case 4:
case 6:
case 9:
case 11:
days = 30;
break;
default:
days = 31;
break;
}
printf("2012年%d月有%d天\n", month, days);
return 0;
}
```
当你输入这道题的时候,ChitGPT会直接计算并输出答案。
使用C语言输入一个年份和月份,输出这一年该月的天数,用switch语句实现
在C语言中,你可以使用`switch`语句结合数组或一系列if...else if条件来计算给定年月的天数。由于闰年的规则比较复杂,这里我们仅给出一个简化版的例子,适用于大多数非闰年情况:
```c
#include <stdio.h>
int main() {
int year, month, days_in_month[13] = {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}; // 一般月份的天数
printf("请输入年份: ");
scanf("%d", &year);
printf("请输入月份(1-12): ");
scanf("%d", &month);
// 由于switch对枚举更友好,这里假设月份是从1到12的整数
switch(month) {
case 1: case 3: case 5: case 7: case 8: case 10: case 12:
days_in_month[month - 1]; // 对于这些不是二月的月份,直接返回天数
break;
case 2:
// 考虑平年2月有28天,闰年2月有29天
if (year % 4 != 0 || (year % 100 == 0 && year % 400 != 0)) {
days_in_month[month - 1]; // 平年
} else {
days_in_month[month - 1] = 29; // 闰年
}
break;
default:
printf("错误的月份输入!\n");
return 1;
}
printf("%d年%2d月有 %d 天。\n", year, month, days_in_month[month - 1]);
return 0;
}
```
阅读全文