输入月份输出这个月有几天
时间: 2024-09-15 07:03:52 浏览: 68
输出一个月份有几天
要实现根据输入的月份输出这个月的天数,我们可以通过一个简单的switch语句来决定。需要注意的是,由于闰年二月有29天,非闰年二月有28天,所以还需要一个方法来判断是否为闰年。
以下是一个简单的Java方法,它接收一个月份和一个年份作为参数,并输出这个月的天数:
```java
public class DaysInMonth {
public static void main(String[] args) {
// 示例用法
int month = 2; // 假设用户输入的月份是2
int year = 2023; // 假设用户输入的年份是2023
printDaysInMonth(month, year);
}
public static void printDaysInMonth(int month, int year) {
switch (month) {
case 1: case 3: case 5: case 7: case 8: case 10: case 12:
System.out.println("这个月有 31 天");
break;
case 4: case 6: case 9: case 11:
System.out.println("这个月有 30 天");
break;
case 2:
if (isLeapYear(year)) {
System.out.println("这个月有 29 天");
} else {
System.out.println("这个月有 28 天");
}
break;
default:
System.out.println("输入的月份不正确");
break;
}
}
public static boolean isLeapYear(int year) {
// 如果年份能被4整除且不能被100整除,或者能被400整除,则是闰年
return (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
}
}
```
阅读全文