💡Problem Solving/BOJ

[BOJ 1261] 알고스팟 (Java)

gom20 2021. 12. 27. 14:40

문제

https://www.acmicpc.net/problem/1261

 

1261번: 알고스팟

첫째 줄에 미로의 크기를 나타내는 가로 크기 M, 세로 크기 N (1 ≤ N, M ≤ 100)이 주어진다. 다음 N개의 줄에는 미로의 상태를 나타내는 숫자 0과 1이 주어진다. 0은 빈 방을 의미하고, 1은 벽을 의미

www.acmicpc.net

 

풀이

다익스트라 알고리즘 사용

최소 벽 파괴 횟수를 갱신하면서 탐색

 

소스코드

package dijkstra;

import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.util.PriorityQueue;
import java.util.StringTokenizer;

public class BOJ1261 {

    static int M, N;
    static int[][] map;
    static int[][] counts;

    public static void main(String[] args) throws Exception {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        StringTokenizer st = new StringTokenizer(br.readLine());
        N = Integer.parseInt(st.nextToken());
        M = Integer.parseInt(st.nextToken());

        counts = new int[M +1][N +1];
        for(int i = 1; i <= M; i++){
            for(int j = 1; j <= N; j++){
                counts[i][j] = Integer.MAX_VALUE;
            }
        }
        map = new int[M +1][N +1];
        for(int i = 1; i <= M; i++){
            char[] arr = br.readLine().toCharArray();
            for(int j = 1; j <= N; j++){
                map[i][j] = Integer.parseInt(String.valueOf(arr[j-1]));
            }
        }
        dijkstra();

        System.out.println(counts[M][N]);
    }

    static int[][] dir = new int[][]{{1, 0}, {-1, 0}, {0, 1}, {0, -1}};

    static class Info implements Comparable<Info> {
        int x;
        int y;
        int accCnt;

        public Info(int x, int y, int count){
            this.x = x;
            this.y = y;
            this.accCnt = count;
        }

        @Override
        public int compareTo(Info o) {
            return this.accCnt - o.accCnt;
        }
    }
    public static void dijkstra(){
        PriorityQueue<Info> pq = new PriorityQueue<Info>();
        counts[1][1] = 0;
        pq.offer(new Info(1, 1, 0));

        while(!pq.isEmpty()){
            Info info = pq.poll();
            int x = info.x;
            int y = info.y;
            int accuCnt = info.accCnt;

            if(counts[x][y] < accuCnt) continue;

            for(int[] d : dir ){
                int nx = x + d[0];
                int ny = y + d[1];
                if(!isValid(nx, ny)) continue;

                int nCnt = accuCnt + (map[nx][ny] == 1 ? 1 : 0);
                if(nCnt < counts[nx][ny]) {
                    counts[nx][ny] = nCnt;
                    pq.offer(new Info(nx, ny, nCnt));
                }
            }
        }
    }

    public static boolean isValid(int nx, int ny){
        if(nx < 1|| ny < 1 || nx > M || ny > N) return false;
        return true;
    }
}

'💡Problem Solving > BOJ' 카테고리의 다른 글

[BOJ 11779] 최소비용 구하기 2 (Java)  (0) 2021.12.30
[BOJ 6603] 로또 (Java)  (0) 2021.12.28
[BOJ 2583] 영역 구하기 (Java)  (0) 2021.12.25
[BOJ 1074] Z (Java)  (0) 2021.12.24
[BOJ 16234] 인구 이동 (Java, Python)  (0) 2021.12.23