2021년 10월 18일 월요일 22시
[DFSBFS] 백준_2178_미로탐색_DFSBFS_실버1
https://www.acmicpc.net/problem/2178
2178번: 미로 탐색
첫째 줄에 두 정수 N, M(2 ≤ N, M ≤ 100)이 주어진다. 다음 N개의 줄에는 M개의 정수로 미로가 주어진다. 각각의 수들은 붙어서 입력으로 주어진다.
www.acmicpc.net
import java.util.LinkedList;
import java.util.Queue;
import java.util.Scanner;
 
public class Main {
 
    static int[][] arr;
    static boolean[][] visited;
    static int[] dx = { -1, 0, 1, 0 };
    static int[] dy = { 0, -1, 0, 1 };
    static int N;
    static int M;
 
    public static void main(String args[]) throws Exception {
        Scanner sc = new Scanner(System.in);
 
        N = sc.nextInt();
        M = sc.nextInt();
        sc.nextLine();
        arr = new int[N][M];
        visited = new boolean[N][M];
        for (int i = 0; i < N; i++) {
            String str = sc.nextLine();
            for (int j = 0; j < M; j++) {
                arr[i][j] = str.charAt(j)-'0';
                visited[i][j] = false;
            }
        }
        visited[0][0] = true;
        BFS(0, 0);
        System.out.println(arr[N - 1][M - 1]);
    }
 
    static public void BFS(int x, int y) {
 
        Queue<Dot> q = new LinkedList<Dot>();
        q.add(new Dot(x, y));
        //큐가 끝날때 까지
        while (!q.isEmpty()) {
            Dot d = q.poll();
            for (int i = 0; i < 4; i++) {
                //다음 방문할 좌표 nextX, nextY
                int nextX = d.x + dx[i];
                int nextY = d.y + dy[i];
                
                //다음 좌표가 범위를 넘어갈때 건너뛰기
                if (nextX < 0 || nextY < 0 || nextX >= N || nextY >= M) {
                    continue;
                }
                //이미 방문했던 점이면 건너뛰기
                if (visited[nextX][nextY] || arr[nextX][nextY] == 0) {
                    continue;
                }
                //다음에 방문할 좌표를 큐에 넣는다.
                q.add(new Dot(nextX, nextY));
                //배열안에 다음 방문할 곳은 현재 방문했던 점보다 1칸 더 가야하므로 +1
                arr[nextX][nextY] = arr[d.x][d.y] + 1;
                //다음 좌표는 방문했음으로 표시
                visited[nextX][nextY] = true;
            }
        }
    }
}
 
class Dot {
    int x;
    int y;
 
    Dot(int x, int y) {
        this.x = x;
        this.y = y;
    }
}
<참고>
https://zoonvivor.tistory.com/77
[BOJ] 백준 2178 - 미로찾기 (자바)
단순 BFS 문제이다. BFS 문제로는 어렵지 않다. 근데 나는 DFS로 풀고 싶은데 시간초과 안나게 어떻게 해야할지 모르겠다... 그리고 헷갈리는건 +1만 해주면 끝일까? Queue를 이용하기 때문에 먼저 방
zoonvivor.tistory.com
'알고리즘 > 백준' 카테고리의 다른 글
| [DFSBFS] 백준_7569_토마토DFSBFS_실버1 (0) | 2021.10.23 | 
|---|---|
| [DFSBFS] 백준_7576_토마토DFSBFS_실버1 (0) | 2021.10.23 | 
| [DFSBFS] 백준_1012_유기농배추_DFSBFS_실버2 (0) | 2021.10.19 | 
| [DFSBFS] 백준_2667_단지번호붙이기_DFSBFS_실버1 (0) | 2021.10.16 | 
| [DFSBFS] 백준_2606_바이러스_DFSBFS_실버4 (0) | 2021.10.16 |