본문 바로가기

Programmers/Level3

[카카오 인턴] 경주로 건설

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
47
48
49
50
import java.util.*;
class Solution {
    private static int min = Integer.MAX_VALUE/ 2;
    private static int[][] direction = { { 10 }, { 01 }, { 0-1 }, { -10 } }; // 하, 우, 좌, 상
 
    public static void Search(int[][] board, int[][] check, int pre_i, int pre_j, int i, int j, int price) {
        // 범위 초과 시
        if (i < 0 || i >= board.length || j < 0 || j >= board[0].length)
            return;
        // 벽이거나 이미 방문한 곳일 경우
        if (board[i][j] == 1 || board[i][j] == 2)
            return;
        // 최소 가격을 초과 시
        if(min < price)
            return;
        // 비효율적인 경로로 이동중인 경우
        if(price > check[i][j] + 600)
            return;
        else
            check[i][j] = price;    
        if (i == board.length - 1 && j == board[0].length - 1) {
            if (min > price)
                min = price; 
            return;
        }
        board[i][j] = 2;
        
        for (int k = 0; k < direction.length; k++) {
            int next_i = i + direction[k][0];
            int next_j = j + direction[k][1];
            int next_price = price + 100;
            if (pre_i != next_i && pre_j != next_j)
                next_price += 500;
            Search(board, check, i, j, next_i, next_j, next_price);
        }
        board[i][j] = 0;
    }
    
    public int solution(int[][] board) {
        int answer = 0;
        int[][] check = new int[board.length][board[0].length];
        for(int i=0;i<check.length;i++){
            for(int j=0;j<check[i].length;j++)
                check[i][j] = Integer.MAX_VALUE / 2;
        }
        Search(board, check, 00000);
        answer = min;
        return answer;
    }
}
cs

현재 위치의 방문 여부와 저장된 경로 비용을 이용하여 탐색 분기를 줄여서 해결하였다.

'Programmers > Level3' 카테고리의 다른 글

기둥과 보 설치  (0) 2021.09.19
기지국 설치  (0) 2021.09.15
섬 연결하기  (0) 2021.09.14
멀리 뛰기  (0) 2021.09.14
거스름돈  (0) 2021.09.14