반응형
캐시를 직접 구현하는 문제였다.
여기선 캐시에 있어 LRU를 사용하는데 LRU는 queue자료구조와 상당히 유사한 구조를 취하고 있다. 그래서 queue를 이용하여 hit & miss 경우를 나누어 구현하였다.
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
|
package programmers;
import java.util.LinkedList;
import java.util.Queue;
public class Solution_2018카카오_캐시 {
public static void main(String[] args) {
int cacheSize=3;
String[] cities= {"Jeju", "Pangyo", "Seoul", "NewYork",
"LA", "Jeju", "Pangyo", "Seoul", "NewYork", "LA"}; System.out.println(solution(cacheSize, cities));
}
static int solution(int cacheSize, String[] cities) {
int answer = 0;
Queue<String> queue=new LinkedList<String>();
for(String city :cities) {
city=city.toLowerCase();
if(queue.contains(city)) { //이미 있을경우
answer+=1;
queue.remove(city);
queue.offer(city); //맨위로 올리기
}
else { //없는경우
if(queue.size()<cacheSize) {
answer+=5;
queue.offer(city);
}else if(queue.size()==cacheSize && queue.size()!=0) {
answer+=5;
queue.poll(); //앞에꺼 빼내기
queue.offer(city);
}else if(cacheSize==0) {
answer+=5;
}
}
}
return answer;
}
}
|
반응형
'Algorithm' 카테고리의 다른 글
[BOJ] 16236. 아기 상어 (0) | 2020.05.11 |
---|---|
[Programmers] 후보키 (0) | 2020.05.08 |
[JO] 1681. 해밀턴 순환 회로 (0) | 2020.05.08 |
[BOJ] 4195. 친구 네트워크 (0) | 2020.05.07 |
[BOJ] 17472. 다리 만들기2 (0) | 2020.05.07 |