我编写了一个程序,该程序正在从用户那里获取输入,说明年份和月份,并且我正在尝试打印月份。我可以打印一个月,我的间距正常。但是,我无法得到工作的日子。这个月的第一天是正确的2018年1月,但是当我在不同的一年或更晚的月份这样做时,它是不对的。我必须使用java包日历。我在下面打印了我的代码我的代码有问题吗?有没有办法解决它?
import java.util.Calendar;
import.java.util.Scanner;
public class MonthCalendar {
public static void main(String[] args) {
int year; // year
int startDayOfMonth;
int spaces;
int month;
//Creates a new Scanner
Scanner scan = new Scanner(System.in);
//Prompts user to enter year
System.out.println("Enter a year: ");
year = scan.nextInt();
//Prompts user to enter month
System.out.println("Enter the number of the month: ");
month = scan.nextInt();
//Calculates the 1st day of that month
Calendar cal = Calendar.getInstance();
cal.set(year, month - 1, 1);
int day = cal.get(Calendar.DAY_OF_WEEK) - 1;
// months[i] = name of month i
String[] months = {
" ",
"January",
"February",
"March",
"April",
"May",
"June",
"July",
"August",
"September",
"October",
"November",
"December"
};
// days[i] = number of days in month i
int[] days = {
0,
31,
28,
31,
30,
31,
30,
31,
31,
30,
31,
30,
31
};
// check for leap year
if ((((year % 4 == 0) && (year % 100 != 0)) || (year % 400 == 0)) && month == 2)
days[month] = 29;
// print calendar header
// Display the month and year
System.out.println(" " + months[month] + " " + year);
// Display the lines
System.out.println("___________________________________________");
System.out.println(" Sun Mon Tue Wed Thu Fri Sat");
// spaces required
spaces = (days[month + 1] + day) % 7;
// print the calendar
for (int i = 0; i < spaces; i++)
System.out.print(" ");
for (int i = 1; i <= days[month]; i++) {
System.out.printf(" %4d ", i);
if (((i + spaces) % 7 == 0) || (i == days[month])) System.out.println();
}
System.out.println();
}
答案 0 :(得分:0)
正如评论中已经指出的那样,你的问题不在于日期计算本身,而在于你最初设置空格的方式:
spaces = (days[month+1] + day )%7;
应该是:
spaces = day;
你只需知道你所在的工作日,就知道你必须在第一周内有多少空间。因此,如果你在一个星期天,你前进0个空格,但如果你在星期二,你想要提前2个空格,依此类推。最后,你可以提升与开始工作日一样多的空格,这就是day
变量所持有的空间。
Take a look at the code giving the proper output for February 2018 in Ideone
产生以下输出:
Enter a year:
2018
Enter the number of the month:
2
February 2018
___________________________________________
Sun Mon Tue Wed Thu Fri Sat
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