N×N크기의 행렬로 표현되는 종이가 있다. 종이의 각 칸에는 -1, 0, 1의 세 값 중 하나가 저장되어 있다. 우리는 이 행렬을 적절한 크기로 자르려고 하는데, 이때 다음의 규칙에 따라 자르려고 한다.
이와 같이 종이를 잘랐을 때, -1로만 채워진 종이의 개수, 0으로만 채워진 종이의 개수, 1로만 채워진 종이의 개수를 구해내는 프로그램을 작성하시오.
첫째 줄에 N(1 ≤ N ≤ 37, N은 3^k 꼴)이 주어진다. 다음 N개의 줄에는 N개의 정수로 행렬이 주어진다.
첫째 줄에 -1로만 채워진 종이의 개수를, 둘째 줄에 0으로만 채워진 종이의 개수를, 셋째 줄에 1로만 채워진 종이의 개수를 출력한다.
9
0 0 0 1 1 1 -1 -1 -1
0 0 0 1 1 1 -1 -1 -1
0 0 0 1 1 1 -1 -1 -1
1 1 1 0 0 0 0 0 0
1 1 1 0 0 0 0 0 0
1 1 1 0 0 0 0 0 0
0 1 -1 0 1 -1 0 1 -1
0 -1 1 0 1 -1 0 1 -1
0 1 -1 1 0 -1 0 1 -1
10
12
11
import java.io.*;
import java.util.*;
public class Main {
static int[][] num;
static int[] cnt;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
int N = Integer.parseInt(br.readLine());
num = new int[N][N];
cnt = new int[3];
for (int i = 0; i < N; i++) {
StringTokenizer st = new StringTokenizer(br.readLine());
for (int j = 0; j < N; j++) {
num[i][j] = Integer.parseInt(st.nextToken());
}
}
divide(0, 0, N);
bw.write(cnt[0] + "\n");
bw.write(cnt[1] + "\n");
bw.write(cnt[2] + "\n");
br.close();
bw.flush();
bw.close();
}
private static boolean check(int row, int col, int len) {
int tmp = num[row][col];
for (int i = row; i < row + len; i++) {
for (int j = col; j < col + len; j++) {
if (tmp != num[i][j]) {
return false;
}
}
}
return true;
}
private static void divide(int row, int col, int len) {
if (check(row, col, len)) { // 같은 수로 되어 있을 때
cnt[num[row][col] + 1]++;
} else { // 같은 수로 되어있지 않을 때
int newLen = len / 3;
for (int i = 0; i < 3; i++) {
for (int j = 0; j < 3; j++) {
divide(row + newLen * i, col + newLen * j, newLen);
}
}
}
}
}
알고리즘
1. 모두 같은 수로 되어 있다면 cnt 값을 증가시킨다.
2. 아닌 경우에는 3으로 나눈 후, 각 범위마다 (1)의 과정을 반복한다.