编写一个Java程序,输出当月有多少天 ,考虑闰年
时间: 2024-05-01 22:24:10 浏览: 160
编写JAVA程序,判断是否闰年,输出月份天数
5星 · 资源好评率100%
以下是一个判断当月天数的 Java 程序,考虑了闰年的情况:
```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;
} else {
days = 28;
}
break;
default:
System.out.println("输入月份错误!");
System.exit(0);
}
System.out.println(year + "年" + month + "月有" + days + "天。");
}
}
```
程序中,用户输入年份和月份,程序会根据月份判断该月有多少天,并输出结果。对于闰年的情况,使用了 `if` 条件语句进行判断。如果该年能被 4 整除但不能被 100 整除,或者能被 400 整除,则是闰年,二月份有 29 天;否则是平年,二月份有 28 天。
阅读全文