[백준] 2589 보물섬.Java

9999·2023년 5월 14일
0

BOJ

목록 보기
21/128

문제

보물섬 지도를 발견한 후크 선장은 보물을 찾아나섰다. 보물섬 지도는 아래 그림과 같이 직사각형 모양이며 여러 칸으로 나뉘어져 있다. 각 칸은 육지(L)나 바다(W)로 표시되어 있다. 이 지도에서 이동은 상하좌우로 이웃한 육지로만 가능하며, 한 칸 이동하는데 한 시간이 걸린다. 보물은 서로 간에 최단 거리로 이동하는데 있어 가장 긴 시간이 걸리는 육지 두 곳에 나뉘어 묻혀있다. 육지를 나타내는 두 곳 사이를 최단 거리로 이동하려면 같은 곳을 두 번 이상 지나가거나, 멀리 돌아가서는 안 된다.


예를 들어 위와 같이 지도가 주어졌다면 보물은 아래 표시된 두 곳에 묻혀 있게 되고, 이 둘 사이의 최단 거리로 이동하는 시간은 8시간이 된다.

보물 지도가 주어질 때, 보물이 묻혀 있는 두 곳 간의 최단 거리로 이동하는 시간을 구하는 프로그램을 작성하시오.

입력

첫째 줄에는 보물 지도의 세로의 크기와 가로의 크기가 빈칸을 사이에 두고 주어진다. 이어 L과 W로 표시된 보물 지도가 아래의 예와 같이 주어지며, 각 문자 사이에는 빈 칸이 없다. 보물 지도의 가로, 세로의 크기는 각각 50이하이다.

출력

첫째 줄에 보물이 묻혀 있는 두 곳 사이를 최단 거리로 이동하는 시간을 출력한다.

import java.util.Queue;
import java.util.LinkedList;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.IOException;

public class Main {
    static int height, width, max;
    static String[][] arr;
    static boolean[][] visited;
    static int[] dx = { -1, 1, 0, 0 };
    static int[] dy = { 0, 0, 1, -1 };
    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        String[] str = br.readLine().split(" ");
        height = Integer.parseInt(str[0]);
        width = Integer.parseInt(str[1]);
        arr = new String[height][width];
        for (int i = 0; i < height; i++) {
            String[] s = br.readLine().split("");
            for (int j = 0; j < width; j++) {
                arr[i][j] = s[j];
            }
        }
        visited = new boolean[height][width];
        max = 0;
        for (int i = 0; i < height; i++) {
            for (int j = 0; j < width; j++) {
                if (!visited[i][j] && arr[i][j].equals("L")) {
                    max = Math.max(BFS(i, j), max);
                    visited = new boolean[height][width];
                }
            }
        }
        System.out.println(max);

    }
    public static int BFS(int x, int y) {
        Queue<Node> q = new LinkedList<>();
        q.add(new Node(x, y, 0));
        int val = 0;
        visited[x][y] = true;
        while (!q.isEmpty()) {
            Node n = q.poll();
            for (int i = 0; i < 4; i++) {
                int nx = n.x + dx[i];
                int ny = n.y + dy[i];
                if (nx < 0 || ny < 0 || nx >= height || ny >= width)
                    continue;
                if (visited[nx][ny])
                    continue;
                if (arr[nx][ny].equals("L")) {
                    visited[nx][ny] = true;
                    q.add(new Node(nx, ny, n.dist+1));
                    val = Math.max(val, n.dist+1);
                }
            }
        }
        return val;
    }
}
class Node {
    int x, y, dist;
    Node (int x, int y, int dist) {
        this.x = x;
        this.y = y;
        this.dist = dist;
    }
}
  • L이면 큐에 추가하고 아니면 val값을 최댓값으로 초기화 시켰는데 그렇게하면 최댓값이 안나오므로 L을 만날때마다 초기화하는 걸로 변경.

0개의 댓글