Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- dp
- 이분 매칭
- Logback
- 구간 트리
- 유레카
- 다익스트라
- 메모이제이션
- Zuul
- 스택
- 스프링 시큐리티
- BFS
- Java
- ZuulFilter
- 주울
- 달팽이
- 구현
- Spring Cloud Config
- 백트래킹
- 완전 탐색
- 서비스 디스커버리
- spring boot
- 트리
- docker-compose
- 비트마스킹
- 이분 탐색
- 게이트웨이
- 플로이드 와샬
- spring cloud
- Gradle
- 도커
Archives
- Today
- Total
Hello, Freakin world!
[백준 1697번] 숨바꼭질 - BFS 본문
오랜만에 bfs 문제를 만나게 됐네요 ㅎㅎㅎ
처음에 낸 풀이는 메모리 초과가 떴습니다. 문제는 방문한 노드들을 체크하는 시점 때문에 발생한 문제였는데요.
예를 들면 dfs에서는 노드를 방문하고 나서야 현재 노드에 방문 체크를 하게 됩니다. 하지만 bfs는 방문 이전 시점, 즉 이전 노드에 의해 큐에 추가 될때 이미 방문 체크를 해버립니다.
왜 이렇게 하는가? 라는건 조금만 생각해보면 알 수 있습니다.
만약 같은 깊이에 있는 A와 B가 동일한 자식 노드 C를 가지고 있다고 할 때, 방문하고 나서야 체크를 한다면 A,B 둘 다 C를 큐에 넣게 됩니다. 이는 부모가 다르더라도 중복입니다. 부모가 다르더라도 깊이(거리)가 같다면 차이가 의미가 없기 때문입니다.
...
/*
백준 1697번 - 숨바꼭질
https://www.acmicpc.net/problem/1697
*/
public class Main {
static int n,k;
static boolean[] discovered = new boolean[100001];
public static void main(String[] args) throws Exception{
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
// BufferedReader br = new BufferedReader(new FileReader("testcase.txt"));
StringTokenizer st = new StringTokenizer(br.readLine());
n = Integer.parseInt(st.nextToken());
k = Integer.parseInt(st.nextToken());
bfs(n,k);
}
private static void bfs(int start, int destination) {
Queue<Node> q = new ArrayDeque<>();
q.add(new Node(start, 0));
discovered[start] = true;
while(true) {
Node here = q.poll();
if(here.n == destination) {
System.out.println(here.distance);
break;
}
int walkLeft = here.n-1;
int walkRight = here.n+1;
int jump = here.n*2;
int[] arr = {walkLeft, walkRight, jump};
Arrays.stream(arr)
.filter(n -> isRange(n))
.filter(n -> !discovered[n])
.forEach(n -> {
q.add(new Node(n, here.distance+1));
discovered[n] = true;
});
}
}
private static boolean isRange(int n) {
if(n >= 0 && n <= 100000) return true;
return false;
}
}
class Node {
int n, distance;
public Node(int n, int distance) {
this.n = n;
this.distance = distance;
}
}
'알고리즘 > PS' 카테고리의 다른 글
[백준 14503번] 로봇 청소기 (0) | 2020.09.10 |
---|---|
[백준 2042번] 구간 합 구하기 (0) | 2020.09.10 |
[백준 3190번] 뱀 (0) | 2020.09.07 |
[백준 10816번] 숫자 카드 2 - Upper Bound, Lower Bound (0) | 2020.09.07 |
[백준 2805번] 나무 자르기 (0) | 2020.09.06 |
Comments