题目:
编写日历类程序:
- 输入年、月后,输出年、月有多少天。如:2017年7月有31天。
- 输入年、月、日后,输出年月日的当天是星期几。如:2017年7月9日是星期六。
-
输入年月打出整月日历。如:
代码:
public class Calendar {
public static String[] WEEK = {"星期一", "星期二", "星期三", "星期四", "星期五", "星期六", "星期日"};
public static String MONTHS_31_DAY = "1,3,5,7,8,10,12,";
public static void main(String[] args) {
int year = 2017;
int month = 7;
int day = 1;
try {
Calendar calendar = new Calendar();
System.out.println(year + " 年 " + month + " 月 " + day + " 日是 " + calendar.getWeek(year, month, day) + " !");
System.out.println(year + " 年 " + month + " 月有 " + calendar.getMonthDays(year, month) + " 天!");
System.out.println();
System.out.println(" " + year + " 年 " + month + " 月份日历");
System.out.println("---------------------");
calendar.printMonthCalendar(year, month);
} catch (Exception e) {
e.printStackTrace();
}
}
/**
* 获取某年某月某日是星期几
*/
public String getWeek(int year, int month, int day) throws Exception {
checkYearMonthDay(year, month, day);
return WEEK[getWeekInt(year, month, day)];
}
/**
* 获取某年的某月有多少天
*/
public int getMonthDays(int year, int month) throws Exception {
checkYearMonth(year, month);
if (month == 2) {
return isLeapYear(year) ? 29 : 28;//闰年2月29天
}
return MONTHS_31_DAY.contains(month + ",") ? 31 : 30;
}
/**
* 输出日历
*
* @param year
* @param month
* @throws Exception
*/
public void printMonthCalendar(int year, int month) throws Exception {
checkYearMonth(year, month);
//输出日历标题
System.out.println("日" + " " + "一" + " " + "二" + " " + "三" + " " + "四" + " " + "五" + " " + "六");
int week = getWeekInt(year, month, 1);
int monthDays = getMonthDays(year, month);
//当月的第一周做特殊处理,单独打印一行
int day = 1;
for (int i = 0; i < 7; i++) {
if (i > week) {
System.out.print(day + " ");
day++;
} else {
System.out.print(" ");
}
}
System.out.println();
//开始打印从第二周开始的日期
for (int w = 1; w < 6; w++) {
for (int i = 0; i < 7; i++) {
if (day > monthDays) {
break;
}
if (day < 10) {
System.out.print(day + " ");
} else {
System.out.print(day + " ");
}
day++;
}
System.out.println();
}
}
/**
* 1.能被4整除而不能被100整除.(如2004年就是闰年,1900年不是)
* 2.能被400整除.(如2000年是闰年)
*/
public boolean isLeapYear(int year) {
return ((year % 4 == 0 && year % 100 != 0) || year % 400 == 0);
}
/**
* W= (d+2*m+3*(m+1)/5+y+y/4-y/100+y/400) mod 7
* 在公式中d表示日期中的日数,m表示月份数,y表示年数。
* 注意:在公式中有个与其他公式不同的地方:
* 把一月和二月看成是上一年的十三月和十四月,例:如果是2004-1-10则换算成:2003-13-10来代入公式计算
*/
public int getWeekInt(int year, int month, int day) {
if (month == 1 || month == 2) {//如果是一月或二月进行换算
month += 12;
year--;
}
return (day + 2 * month + 3 * (month + 1) / 5 + year + year / 4 - year / 100 + year / 400) % 7;
}
public void checkYearMonth(int year, int month) throws Exception {
if (year <= 0) {
throw new Exception("请检查输入的年份是否合法!");
}
if (month < 1 || month > 12) {
throw new Exception("请检查输入的月份是否合法!");
}
}
public void checkYearMonthDay(int year, int month, int day) throws Exception {
checkYearMonth(year,month);
int d = getMonthDays(year, month);
if (day <= 0 || day > d) {
throw new Exception("请检查输入的日子是否合法!");
}
}
}