以下是一個簡單的萬年歷的Java實現:
import java.util.Scanner;
public class Calendar {
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();
printCalendar(year, month);
}
public static void printCalendar(int year, int month) {
// 計算當前月份的第一天是星期幾
int firstDayOfWeek = getFirstDayOfWeek(year, month);
// 打印表頭
System.out.println(" 日 一 二 三 四 五 六");
// 打印空格
for (int i = 0; i < firstDayOfWeek; i++) {
System.out.print(" ");
}
// 打印日期
int daysInMonth = getDaysInMonth(year, month);
for (int i = 1; i <= daysInMonth; i++) {
System.out.printf("%3d ", i);
if ((i + firstDayOfWeek) % 7 == 0) {
System.out.println();
}
}
}
public static int getFirstDayOfWeek(int year, int month) {
int totalDays = 0;
// 計算從1900年1月1日到指定年月的總天數
for (int i = 1900; i < year; i++) {
totalDays += isLeapYear(i) ? 366 : 365;
}
for (int i = 1; i < month; i++) {
totalDays += getDaysInMonth(year, i);
}
// 計算指定年月的第一天是星期幾
return (totalDays + 1) % 7;
}
public static boolean isLeapYear(int year) {
return (year % 4 == 0 && year % 100 != 0) || (year % 400 == 0);
}
public static int getDaysInMonth(int year, int month) {
if (month == 2) {
return isLeapYear(year) ? 29 : 28;
} else if (month == 4 || month == 6 || month == 9 || month == 11) {
return 30;
} else {
return 31;
}
}
}
運行該程序,用戶輸入年份和月份后,程序將打印出對應的萬年歷。
注意:以上代碼只是一個簡單的實現,沒有考慮閏年的特殊情況。實際上,閏年的2月份有29天,平年的2月份有28天。