输入一个年份和月份,打印该年该月的天数。规定平年2月28天,国年2月29天; 年份能被4整除却不能被100整除为闰年;能被400 整除的年份也是闰年。用java写出这个程序的代码
时间: 2024-09-12 14:09:05 浏览: 57
下面是一个简单的Java程序代码,根据输入的年份和月份来计算并打印该月的天数。根据你提供的规定,2月的天数会根据年份是否为闰年来决定:
```java
import java.util.Scanner;
public class DaysInMonth {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
System.out.print("请输入年份:");
int year = scanner.nextInt();
System.out.print("请输入月份:");
int month = scanner.nextInt();
int days = 0;
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; // 闰年的2月
} else {
days = 28; // 平年的2月
}
break;
default:
System.out.println("输入的月份不正确,请输入1-12之间的数字。");
break;
}
if (days != 0) {
System.out.println(year + "年的" + month + "月有" + days + "天。");
}
scanner.close();
}
}
```
这段代码首先导入了`Scanner`类用于获取用户输入。然后定义了一个`DaysInMonth`类和`main`方法。在`main`方法中,程序首先提示用户输入年份和月份,然后使用`switch`语句来判断该月有多少天。对于2月,程序还进一步判断了是否为闰年。
阅读全文