적록색약은 빨간색과 초록색의 차이를 거의 느끼지 못한다. 따라서, 적록색약인 사람이 보는 그림은 아닌 사람이 보는 그림과는 좀 다를 수 있다.
크기가 N×N인 그리드의 각 칸에 R(빨강), G(초록), B(파랑) 중 하나를 색칠한 그림이 있다. 그림은 몇 개의 구역으로 나뉘어져 있는데, 구역은 같은 색으로 이루어져 있다. 또, 같은 색상이 상하좌우로 인접해 있는 경우에 두 글자는 같은 구역에 속한다. (색상의 차이를 거의 느끼지 못하는 경우도 같은 색상이라 한다)
예를 들어, 그림이 아래와 같은 경우에
RRRBB
GGBBB
BBBRR
BBRRR
RRRRR
적록색약이 아닌 사람이 봤을 때 구역의 수는 총 4개이다. (빨강 2, 파랑 1, 초록 1) 하지만, 적록색약인 사람은 구역을 3개 볼 수 있다. (빨강-초록 2, 파랑 1)
그림이 입력으로 주어졌을 때, 적록색약인 사람이 봤을 때와 아닌 사람이 봤을 때 구역의 수를 구하는 프로그램을 작성하시오.
map을 두 가지 형태로 저장한다.
첫 번째는 원본 그대로 저장하고,
두 번째는 G->R로 바꿔서 저장한다.
그리고 두 가지 map을 따로 BFS 실행해서 구역을 count 해주면 된다.
import java.io.*;
import java.util.*;
class Node {
int x,y;
Node(int x, int y) {
this.x = x;
this.y = y;
}
}
public class Main {
static final int dx[] = {0,1,0,-1};
static final int dy[] = {1,0,-1,0};
static char rgb_map[][];
static char rb_map[][];
static boolean rgb_visited[][];
static boolean rb_visited[][];
static int N, rgb_cout, rb_cout;
public static void main(String args[]) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
N = Integer.parseInt(br.readLine());
rgb_cout = 0;
rb_cout = 0;
rgb_map = new char[N][N];
rb_map = new char[N][N];
rgb_visited = new boolean[N][N];
rb_visited = new boolean[N][N];
for(int i=0; i<N; i++) {
String s = br.readLine();
for(int j=0; j<N; j++) {
rgb_map[i][j] = s.charAt(j);
if(rgb_map[i][j] == 'G') {
rb_map[i][j] = 'R';
} else {
rb_map[i][j] = s.charAt(j);
}
}
}
for(int i=0; i<N; i++) {
for(int j=0; j<N; j++) {
if(!rgb_visited[i][j]) {
rgb_cout += BFS(j, i, rgb_map, rgb_visited);
}
if(!rb_visited[i][j]) {
rb_cout += BFS(j, i, rb_map, rb_visited);
}
}
}
System.out.printf("%d %d",rgb_cout, rb_cout);
}
static int BFS(int sx, int sy, char map[][], boolean visited[][]) {
Queue<Node> que = new LinkedList<>();
que.add(new Node(sx,sy));
visited[sy][sx] = true;
while(!que.isEmpty()) {
Node n = que.poll();
for(int i=0; i<dx.length; i++) {
int nx = n.x + dx[i];
int ny = n.y + dy[i];
if((nx>=0 && nx<=N-1) && (ny>=0 && ny<=N-1)) {
if(!visited[ny][nx] && map[ny][nx] == map[n.y][n.x]) {
visited[ny][nx] = true;
que.add(new Node(nx,ny));
}
}
}
}
return 1;
}
}