-
Notifications
You must be signed in to change notification settings - Fork 37
/
Copy pathCalenderExample.java
97 lines (83 loc) · 2.7 KB
/
CalenderExample.java
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
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
package exercise;
import org.junit.Test;
import java.util.HashMap;
import java.util.Map;
import static org.hamcrest.CoreMatchers.is;
import static org.junit.Assert.assertThat;
public class CalenderExample {
/*
TASK
2017년 1월 1일은 일요일이다.
2017년 어느날의 월, 일을 입력받아 요일을 반환하는 함수를 구현한다.
2017년 2월은 28일까지 있다.
요일은 월~일을 0~6으로 표현한다.
예를 들어 월요일이면 0을 반환하고, 토요일은 5, 일요일은 6을 반환한다.
*/
@Test
public void test() {
Calendar c = new Calendar();
assertThat(c.getDay(3, 20), is("금요일"));
}
public int getDayOfWeek(int month, int day) {
int[] daysInMonth = {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
int count = 0;
for (int i = 1; i < month; i++) {
count += daysInMonth[i];
}
count += day;
count += 5;
return count % 7;
}
public class Calendar {
private Map<Integer, Integer> calender;
public Calendar() {
this.calender = buildCalender();
}
public String getDay(int month, int day) {
switch (getDayIntFormat(month, day)) {
case 0:
return "월요일";
case 1:
return "화요일";
case 2:
return "수요일";
case 3:
return "목요일";
case 4:
return "금요일";
case 5:
return "토요일";
case 6:
return "일요일";
default:
return null;
}
}
private int getDayIntFormat(int month, int day) {
for (Map.Entry<Integer, Integer> entry : calender.entrySet()) {
int sum = 0;
if (entry.getKey() == month) {
return (sum + day + 5) % 7;
}
sum += entry.getValue();
}
return -1;
}
private Map<Integer, Integer> buildCalender() {
Map<Integer, Integer> calender = new HashMap<>();
calender.put(1, 31);
calender.put(2, 28);
calender.put(3, 31);
calender.put(4, 30);
calender.put(5, 31);
calender.put(6, 30);
calender.put(7, 31);
calender.put(8, 31);
calender.put(9, 30);
calender.put(10, 31);
calender.put(11, 30);
calender.put(12, 31);
return calender;
}
}
}