1780번: 종이의 개수
N×N크기의 행렬로 표현되는 종이가 있다. 종이의 각 칸에는 -1, 0, 1의 세 값 중 하나가 저장되어 있다. 우리는 이 행렬을 적절한 크기로 자르려고 하는데, 이때 다음의 규칙에 따라 자르려고 한다.
www.acmicpc.net
분할정복 알고리즘을 사용했다.
전체 영역을 검사한 뒤 전체가 같지 않으면 영역을 1/9로 나누면서 전체가 같으면 빠져나가고 다르면 그 내부를 9개로 나눠서 다시 검사하고... 를 반복했다.
package BAEKJOON;
import java.util.Scanner;
public class CountOfPaper_1780 {
static int[][] paper = null;
static int[] cnts = {0, 0, 0}; // -1, 0, 1 의 개수
public static void addCnts(int k) {
switch (k) {
case -1 : cnts[0]++; break;
case 0 : cnts[1]++; break;
case 1 : cnts[2]++; break;
}
}
public static int isSame(int n, int x, int y) {
int result = paper[x][y];
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if (result != paper[i + x][j + y]) {
result = 9;
return result;
}
}
}
return result;
}
public static void partition(int n, int x, int y) {
if (n == 1) {
addCnts(paper[x][y]);
} else {
int k = isSame(n, x, y);
if (k == -1 || k == 0 || k == 1) {
addCnts(k);
} else {
for (int i = 0; i < 3; i++) {
for (int j = 0; j < 3; j++) {
partition(n / 3, i * (n / 3) + x, j * (n / 3) + y); // 이거 설정하는데서 오래걸렸다...
}
}
}
}
}
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
paper = new int[n][n];
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
paper[i][j] = sc.nextInt();
}
}
sc.close();
partition(n, 0, 0);
for (int i = 0; i < cnts.length; i++) {
System.out.println(cnts[i]);
}
}
}
'알고리즘' 카테고리의 다른 글
백준 회의실배정-1931 (0) | 2020.11.08 |
---|---|
백준 미로탐색-2178 (0) | 2020.11.08 |
백준 DFSBFS-1260 (0) | 2020.11.08 |
백준 단지번호붙히기-2667 (0) | 2020.11.08 |
백준 동전0-11047 (0) | 2020.11.08 |