编写一个Java程序,输入一个年份,一个月份,判断该年该月有多少天(使用 switch, 注意 要判2月是多少天)
时间: 2024-09-14 14:05:24 浏览: 64
用switch语句判断每个月有多少天
当然可以。在Java中,你可以编写一个简单的控制台应用程序来输入年份和月份,然后根据规则判断每个月份的天数。这里是一个示例程序:
```java
import java.util.Scanner;
public class MonthDaysCounter {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.println("请输入年份:");
int year = scanner.nextInt();
System.out.println("请输入月份(1-12):");
int month = scanner.nextInt();
// 判断闰年规则
boolean isLeapYear = (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
// 使用switch结构计算天数
int daysInMonth;
switch (month) {
case 1:
case 3:
case 5:
case 7:
case 8:
case 10:
case 12:
daysInMonth = 31;
break;
case 4:
case 6:
case 9:
case 11:
daysInMonth = 30;
break;
case 2:
if (isLeapYear)
daysInMonth = 29;
else
daysInMonth = 28;
break;
default:
System.out.println("无效的月份");
return;
}
System.out.printf("年份 %d 的 %d 月有 %d 天.\n", year, month, daysInMonth);
}
}
```
当你运行这个程序,它会提示你输入年份和月份,然后基于输入的值给出对应月份的天数。注意,我们使用了闰年的规则来处理二月的天数。
阅读全文