개발/알고리즘 풀이

프로그래머스] 가장 큰 정사각형 찾기 (Java)

펭귀니 :) 2020. 2. 10. 21:57

프로그래머스] 가장 큰 정사각형 찾기


언어 : Java

풀이 방법 : BFS or Dynamic Programing

URL : https://programmers.co.kr/learn/courses/30/lessons/12905

 

코딩테스트 연습 - 가장 큰 정사각형 찾기 | 프로그래머스

[[0,1,1,1],[1,1,1,1],[1,1,1,1],[0,0,1,0]] 9

programmers.co.kr

 

간단한 문제 설명

N x M 이차원 배열에서 1로 채워진 정사각형 중 가장 큰 넓이의 정사각형을 찾아 넓이를 출력하는 문제 (N과 M은 1000이하)

 

풀이 과정

정확성 테스트

=> BFS방식으로 탐색했다.

1을 만나면 우, 하, 하우를 탐색해서 1이면 Queue에 넣어줬다. (아래 그림 참조)

1) 1을 만나면 우, 하, 하우를 탐색. 각각이 1이면 Queue에 넣기.

 2) Queue에 있는거 꺼내서 다시 우, 하, 하우를 탐색, Queue에 넣기 반복하면서 0을 만나거나 범위를 벗어나면 최대값 갱신.

 

효율성 테스트

=> BFS방식으로는 별별 가지치기를 해도.... 때려죽어도 안되더라.

DP로 풀었다. (아래 방식 참조)

1) D배열을 선언하고 맨 첫줄은 그대로 D에 넣어준다.

 

2) 두번째줄을 탐색한다. D배열에서 탐색하는 칸을 기준으로 왼, 위, 왼위를 검사해준다.
* 1열은 어차피 크기가 1인 정사각형밖에 만들 수 없기 때문에 0이면 0을 기록하고, 1이면 1을 기록한다.

 

3) 왼, 위, 왼위를 탐색했을 때 0이 아니라는 것은 해당 크기의 정사각형이 각 칸을 오른쪽 아래로 하여 존재한다는 뜻이다.

 

4) 왼, 위, 왼위의 조건에 맞게 가능한 최대 정사각형의 크기를 적어준다.

 


 

소스코드

 BFS코드 (정확도 테스트 O / 효율성 테스트 X)

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
66
67
68
69
70
71
72
73
74
75
 
class Solution
{
   static class info {
        int r, c;
 
        public info(int r, int c) {
            this.r = r;
            this.c = c;
        }
    }
    private static int[] dr = { 011 }; // 우, 하, 우하
    private static int[] dc = { 101 };
    public static int solution(int [][]board)
    {
        int ans = 0;
        
        int size_1 = board.length;
        int size_2 = board[0].length;
        
        for (int i = 0; i < size_1; i++) {
            if(size_1 - i <=  ans) break;
            
            for (int j = 0; j < size_2; j++) {
                if(size_2 - j <= ans) break;
                if(board[i][j] != 0) {
                    int tmp = search(i,j,size_1,size_2,board);
                    if(ans < tmp)
                        ans = tmp;
                }
                
            }
            
        }
        
        
        return ans*ans;
    }
    
    private static int search(int i, int j, int size1, int size2, int[][] board) {
        Queue<info> qu = new LinkedList<>();
        qu.add(new info(i, j));
        
        boolean[][] visited = new boolean[size1][size2];
        visited[i][j] = true;
        int size = 1;
 
        exitwhile (true) {
            int quSize = qu.size();
            
            for (int k = 0; k < quSize; k++) {
                info dot = qu.poll();
                int r = dot.r;
                int c = dot.c;
 
                for (int t = 0; t < 3; t++) {
                    int nr = r + dr[t];
                    int nc = c + dc[t];
                    if (nr >= 0 && nc >= 0 && nr < size1 && nc < size2) {
                        if (board[nr][nc] != 1)
                            break exit;
                        if (!visited[nr][nc]) {
                            visited[nr][nc] = true;
                            qu.add(new info(nr, nc));
                        }
                    } else
                        break exit;
                }
            }
 
            size++;
        }
        return size;
 
    }
}
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter

 

DP코드 (정확도 테스트 O / 효율성 테스트 O)

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
class Solution
{
      public static int solution(int [][]board)
    {
        int ans = 0;
        
        int sizeR = board.length;
        int sizeC = board[0].length;
        
        int[][] DP = new int[2][board[0].length];
        
        //첫째줄은 그냥 복사해주기 (대신 최대값은 갱신해준다.)
        for (int i = 0; i < sizeC; i++) {
            DP[0][i] = board[0][i];
            if(DP[0][i] > ans)
                ans = DP[0][i];
        }
        
                for (int i = 1; i < sizeR; i++) {
            for (int j = 0; j < sizeC; j++) {
                
                if(board[i][j] == 0)
                    DP[1][j] = 0;
                else {
                    if(j == 0)
                        DP[1][j] = 1;
                    else {
                        DP[1][j] = 1;
                        if(DP[1][j-1== 0 | DP[0][j] == 0 | DP[0][j-1== 0//셋 중에 하나라도 0이면
                            DP[1][j] = 1;
                        else if(DP[1][j-1== DP[0][j] && DP[0][j] == DP[0][j-1]) //셋 다 같으면
                            DP[1][j] = DP[0][j] + 1;
                        else { //셋 다 다르면
                            if(DP[1][j-1<= DP[0][j-1&& DP[1][j-1<= DP[0][j])
                                DP[1][j] = DP[1][j-1+ 1;
                            else if(DP[0][j-1<= DP[1][j-1&& DP[0][j-1<= DP[0][j])
                                DP[1][j] = DP[0][j-1+ 1;
                            else if(DP[0][j] <= DP[0][j-1&& DP[0][j] <= DP[1][j-1])
                                DP[1][j] = DP[0][j] + 1;
                        }
                    }
                }
                
                if(DP[1][j] > ans)
                    ans = DP[1][j];
            }
            
            for (int j = 0; j < sizeC; j++) {
                DP[0][j] = DP[1][j];
            }
            
        }
        
        return ans*ans;
    }
}
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter
 



'개발 > 알고리즘 풀이' 카테고리의 다른 글

백준] 15486 퇴사2 ( DP/ Java )  (0) 2020.02.27
백준] 14501 퇴사 (완전탐색으로 풀기 / Java)  (1) 2020.02.26
SW Expert Academy] 1249 D4 보급로  (0) 2020.02.01
백준] 3055 탈출  (0) 2019.11.10
백준] 2636 치즈  (0) 2019.10.04