使用Java完成从键盘输入年份和月份, 输出该月份的日历表【需求】: (1) 从键盘输入年份和月份。(2)输出为:该月份对应的日历表。
时间: 2023-11-28 21:47:48 浏览: 86
以下是使用Java实现从键盘输入年份和月份,输出该月份的日历表的代码:
```java
import java.util.Scanner;
public class Calendar {
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
System.out.print("请输入年份:");
int year = input.nextInt();
System.out.print("请输入月份:");
int month = input.nextInt();
// 获取该月份的天数
int days = getDaysOfMonth(year, month);
// 获取该月份第一天是星期几
int firstDayOfWeek = getFirstDayOfWeek(year, month);
// 输出日历表头
System.out.println("日\t一\t二\t三\t四\t五\t六");
// 输出该月份的日历表
int count = 1;
for (int i = 0; i < 6; i++) {
for (int j = 0; j < 7; j++) {
if ((i == 0 && j < firstDayOfWeek) || count > days) {
System.out.print("\t");
} else {
System.out.print(count + "\t");
count++;
}
}
System.out.println();
}
}
// 获取该月份的天数
public static int getDaysOfMonth(int year, int month) {
int days;
if (month == 2) {
if ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0) {
days = 29;
} else {
days = 28;
}
} else if (month == 4 || month == 6 || month == 9 || month == 11) {
days = 30;
} else {
days = 31;
}
return days;
}
// 获取该月份第一天是星期几
public static int getFirstDayOfWeek(int year, int month) {
int dayOfWeek;
int century = year / 100;
year = year % 100;
if (month == 1 || month == 2) {
month += 12;
year--;
}
dayOfWeek = (1 + 26 * (month + 1) / 10 + year + year / 4 + century / 4 + 5 * century) % 7;
return dayOfWeek;
}
}
```
运行程序,输入年份和月份,即可输出该月份的日历表。例如,输入2021和7,即可输出2021年7月的日历表:
```
请输入年份:2021
请输入月份:7
日 一 二 三 四 五 六
1 2 3
4 5 6 7 8 9 10
11 12 13 14 15 16 17
18 19 20 21 22 23 24
25 26 27 28 29 30 31
```
阅读全文