문제

- 100*100 행렬의 형태로 만들어진 미로에서 출발점으로부터 도착지점까지 갈 수 있는 길이 있는지 판단하는 문제

- 1은 벽, 0은 길 2는 출발점, 3은 도착점

 

풀이방법

- DFS알고리즘을 이용

- 상, 하, 좌, 우로 이동하여 출발지점에서 도착지점까지 갈 수 있는지 판단

- 만약 도착지점에 도달했을 경우 리턴

 

 

코드

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
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
 
public class Solution_D4_1227_미로2 {
    static StringBuilder sb = new StringBuilder();
    static int [][] map;
    static boolean[][] visited;
    static int startX, startY,find;
    static int [] dx = {-1,0,1,0};
    static int [] dy = {0,1,0,-1};
 
    public static void main(String[] args) throws NumberFormatException, IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        
        for(int tc=1;tc<=10;tc++) {
            
            int N = Integer.parseInt(br.readLine());
            
            map = new int[100][100];
            visited = new boolean[100][100];
            
            for(int i=0;i<100;i++) {
                String str = br.readLine();
                for(int j=0;j<100;j++) {
                    map[i][j]=str.charAt(j)-48;
                    if(map[i][j]==2) {
                        startX = i; startY = j;
                    }
                }
            }
            find=0;
            sb.append("#"+N+" ");
            dfs(startX, startY);
            sb.append(find+"\n");
            
        }
        System.out.println(sb.toString());
 
    }
    
    public static void dfs(int x, int y) {
        if(find==1return;
        visited[x][y] = true;
        
        for(int i=0;i<4;i++) {
            int nx = x + dx[i];
            int ny = y + dy[i];
            
            if(map[nx][ny]==3) {
                find=1;
                return;
            }
            
            if(check(nx,ny) && !visited[nx][ny] && (map[nx][ny]==0)) {
                dfs(nx,ny);
            }
        }    
    }
    
    public static boolean check(int x, int y) {
        return x>=0 && y>=0 && x<100 && y<100;
    }
 
}
cs

 

'문제 > SWEA' 카테고리의 다른 글

[SWEA 1210] Ladder1 (JAVA)  (0) 2021.09.16
[SWEA 5658] 보물상자 비밀번호 (JAVA)  (0) 2021.09.10
[SWEA 4012] 요리사 (JAVA)  (1) 2021.03.16

+ Recent posts