본문 바로가기
Algorithm/백준풀이

[알고리즘 문제풀이] 백준 1992 쿼드트리(JAVA)

by 계범 2022. 1. 14.

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

 

1992번: 쿼드트리

첫째 줄에는 영상의 크기를 나타내는 숫자 N 이 주어진다. N 은 언제나 2의 제곱수로 주어지며, 1 ≤ N ≤ 64의 범위를 가진다. 두 번째 줄부터는 길이 N의 문자열이 N개 들어온다. 각 문자열은 0 또

www.acmicpc.net

/**
 * 분할정복 문제
 * 
 * 1) 숫자 파악
 * 
 * 2) 전체 숫자가 같지 않으면, 4분할
 * 
 * 3) 각 분할정보를 기록
 */

import java.util.*;
import java.io.*;

public class BJ1992_쿼드트리 {
    
    public static int[][] arr;
    public static BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
    
        int n = Integer.parseInt(br.readLine());
        
        arr = new int[n][n];


        for(int i = 0; i < n; i++){
            String str = br.readLine();
            for(int j = 0; j < n; j++){
                arr[i][j] = str.charAt(j) -'0';
            }
        }
        slice(n,0,0);
        bw.flush();
        bw.close();
    }

    // 분할 함수
    public static void slice(int size, int n, int m) throws IOException{

        // 다 같은 숫자면 더하기
        if(numCheck(size,n,m)){
            bw.write(String.valueOf(arr[n][m]));
        // 아니면 9분할
        }else{
            int newsize = size/2;
            bw.write("(");
            slice(newsize, n, m); // 1사분면
            slice(newsize, n,m+newsize); // 2사분면
            slice(newsize, n+newsize,m); // 3사분면
            slice(newsize, n+newsize, m+newsize); // 4사분면
            bw.write(")");
        }
    }

    // 숫자체크 함수
    public static boolean numCheck(int size, int n, int m){
        int first = arr[n][m];
        boolean check = true;
        for(int i = n; i < n+size; i++){
            for(int j = m; j < m+size; j++){
                if(first != arr[i][j]){
                    check = false;
                    break;
                }
            }
        }
        return check;
    }
}

댓글