알고리즘/백준
[Java] BOJ 10026번 적록색약
컴공맨
2021. 5. 14. 10:00
10026번: 적록색약
적록색약은 빨간색과 초록색의 차이를 거의 느끼지 못한다. 따라서, 적록색약인 사람이 보는 그림은 아닌 사람이 보는 그림과는 좀 다를 수 있다. 크기가 N×N인 그리드의 각 칸에 R(빨강), G(초록)
www.acmicpc.net
풀이
우선, BFS를 사용하여 일반일 경우의 구역의 수를 구하고 적록색약일 경우 'G'를 'R'로 바꾸어 같은 색으로 만든 후 BFS를 수행하여 해결했습니다.
코드
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;
public class Main {
public static class Info {
int y, x;
public Info(int y, int x) {
super();
this.y = y;
this.x = x;
}
}
public static int N;
public static boolean[][] visited;
public static char[][] painting;
public static void main(String[] args) throws NumberFormatException, IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = null;
N = Integer.parseInt(br.readLine());
painting = new char[N][N];
for (int i = 0; i < N; ++i) {
painting[i] = br.readLine().toCharArray();
}
int[] answer = new int[2];
// 일반
visited = new boolean[N][N];
for (int i = 0; i < N; ++i) {
for (int j = 0; j < N; ++j) {
if (!visited[i][j]) {
bfs(i, j);
answer[0]++;
}
}
}
// 적록색약 녹색을 빨강으로 바꾸어준다.
for (int i = 0; i < N; ++i) {
for (int j = 0; j < N; ++j) {
if (painting[i][j] == 'G') {
painting[i][j] = 'R';
}
}
}
visited = new boolean[N][N];
for (int i = 0; i < N; ++i) {
for (int j = 0; j < N; ++j) {
if (!visited[i][j]) {
bfs(i, j);
answer[1]++;
}
}
}
System.out.println(answer[0] + " " + answer[1]);
}
public static int[] dy = {-1, 1, 0, 0};
public static int[] dx = {0, 0, -1, 1};
public static void bfs(int y, int x) {
Queue<Info> q = new LinkedList<Info>();
visited[y][x] = true;
q.offer(new Info(y, x));
while (!q.isEmpty()) {
Info info = q.poll();
for (int i = 0; i < 4; ++i) {
int ny = info.y + dy[i];
int nx = info.x + dx[i];
if (ny < 0 || nx < 0 || ny >= N || nx >= N) {
continue;
}
if (!visited[ny][nx] && painting[ny][nx] == painting[y][x]) {
visited[ny][nx] = true;
q.offer(new Info(ny, nx));
}
}
}
}
}
pyo7410/Algorithm
1일 1커밋을 목표로! Contribute to pyo7410/Algorithm development by creating an account on GitHub.
github.com