1. 程式人生 > >java程式碼輸出萬年曆

java程式碼輸出萬年曆

package com.sxt.test;

import java.util.Scanner;
//使用基礎的java程式碼輸出日曆
public class CalendarTest1 {
	public static void main(String[] args) {
		Scanner s = new Scanner(System.in);
		System.out.println("請輸入年份");
		int year = s.nextInt();
		System.out.println("請輸入一個月份");
		int month = s.nextInt();
		printCalendar(year, month);
	}
	/*
	 * 列印日曆
	 */
	private static void printCalendar(int year, int month) {
		// 打印表頭
		System.out.println("星期日\t星期一\t星期二\t星期三\t星期四\t星期五\t星期六");
		// 列印數字
		// 1,空格的數量
		int kongGe = getKongGeCount(year, month);
		// 輸出空格
		for (int i = 1; i <= kongGe; i++) {
			System.out.print("\t");
		}
		// 解決當1~7日全為上一月的天數時出現的時間跳轉問題
		if (kongGe == 7) {
			System.out.println();
		}
		// 輸出數字
		for (int i = 1; i <= getDaysOfMonth(year, month); i++) {
			System.out.print(i + "\t");
			if ((i + kongGe) % 7 == 0) {
				System.out.println();
			}
		}
	}

	// 獲取空格的數量
	private static int getKongGeCount(int year, int month) {
		int count = getDaysOfAll(year, month) % 7 + 1;
		return count;
	}

	// 所有的天數
	private static int getDaysOfAll(int year, int month) {
		// 整年的天數 + 整月的天數
		int sum = 0;
		// 1,整年的天數
		for (int i = 1900; i < year; i++) {
			sum += isLoopYear(i) ? 366 : 365;
		}
		// 2,整月的天數
		for (int i = 1; i < month; i++) {
			sum += getDaysOfMonth(year, i);
		}

		return sum;
	}

	/**
	 * 獲取整月的天數
	 * 
	 * @param year
	 * @param month
	 * @return
	 */
	private static int getDaysOfMonth(int year, int month) {
		int day = 0;
		switch (month) {
		case 1:
		case 3:
		case 5:
		case 7:
		case 8:
		case 10:
		case 12:
			day = 31;
			break;
		case 4:
		case 6:
		case 9:
		case 11:
			day = 30;
			break;
		case 2:
			day = isLoopYear(year) ? 29 : 28;
			break;
		}
		return day;
	}

	// 判斷是否是閏年
	private static boolean isLoopYear(int year) {
		if (year % 4 == 0 && year % 100 != 0 || year % 400 == 0) {
			return true;
		} else {
			return false;
		}
	}
}