设计一个程序,根据年份和月份判断该月有多少天。JAVA
时间: 2024-03-24 13:42:01 浏览: 63
可以使用Java中的Calendar类来实现该功能,具体实现代码如下:
```java
import java.util.Calendar;
public class DaysInMonth {
public static void main(String[] args) {
int year = 2022;
int month = 2; // 2代表二月份,注意Java中月份从0开始计数
Calendar calendar = Calendar.getInstance();
calendar.set(year, month - 1, 1); // 设置为该年该月的第一天
int days = calendar.getActualMaximum(Calendar.DAY_OF_MONTH); // 获取该月的天数
System.out.println(year + "年" + month + "月有" + days + "天");
}
}
```
其中,`calendar.getActualMaximum(Calendar.DAY_OF_MONTH)`可以获取当前`Calendar`实例所表示的月份的最大天数,即该月有多少天。
相关问题
用Java设计一个程序 根据年份和月份判断该月有多少天
好的,这是一个用 Java 设计的程序,根据年份和月份判断该月有多少天:
```java
import java.util.Scanner;
public class Main {
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 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;
}
System.out.println(year + "年" + month + "月有" + days + "天。");
}
}
```
程序运行结果:
```
请输入年份:2021
请输入月份:2
2021年2月有28天。
```
该程序通过 `Scanner` 类从控制台读取用户输入的年份和月份,然后使用 `switch` 语句根据用户输入的月份来判断该月的天数,最后输出结果。其中,对于二月份的天数判断需要考虑闰年和平年的情况。
希望能够帮到您!
设计一个程序,根据年份和月份判断该月有多少天。JAVA编写
好的,这里是一个用Java实现的根据年份和月份判断该月有多少天的程序:
```java
import java.util.Scanner;
public class MonthDays {
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();
scanner.close();
int days = 0; // 用来存储该月份的天数
switch (month) {
case 2: // 二月份需要特殊处理
if (year % 4 == 0 && year % 100 != 0 || year % 400 == 0) {
days = 29; // 闰年2月份有29天
} else {
days = 28; // 平年2月份有28天
}
break;
case 4:
case 6:
case 9:
case 11:
days = 30; // 四月、六月、九月、十一月有30天
break;
default:
days = 31; // 其他月份有31天
break;
}
System.out.println(year + "年" + month + "月有" + days + "天");
}
}
```
这个程序使用了Java中的`switch`语句来根据月份判断该月份的天数。需要注意的是,二月份需要特殊处理,需要判断是否为闰年。如果是闰年,则该月份有29天,否则有28天。其他月份的天数可以根据月份的奇偶性来判断,其中四月、六月、九月、十一月有30天,其他月份有31天。
阅读全文