알고리즘/백준
[백준] 연구소 14502번 - JAVA
GaGah
2020. 11. 7. 21:37
[백준] 연구소 14502번 - JAVA
문제설명
문제풀이과정
- DFS로 벽 3개를 찾는다.
- 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 Lab_14502 {
static int N, M, answer = 0;
static int[] dx = {0, 0, 1, -1};
static int[] dy = {1, -1, 0, 0};
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
int[][] lab = new int[N][M];
for (int i = 0; i < N; i++) {
st = new StringTokenizer(br.readLine());
for (int j = 0; j < M; j++) {
lab[i][j] = Integer.parseInt(st.nextToken());
}
}
boolean[][] visited = new boolean[N][M];
DFS(lab, visited, 0);
System.out.println(answer);
}
public static void DFS(int[][] copyLab, boolean[][] visited, int cnt) {
if(cnt == 3) {
int[][] copy = new int[N][M];
for(int i=0; i<N; i++) {
for(int j=0; j<M; j++) {
copy[i][j] = copyLab[i][j];
}
}
answer = Math.max(answer, spreadVirus(copy));
return;
}
for(int i=0; i<N; i++) {
for(int j=0; j<M; j++) {
if(copyLab[i][j] == 0 && !visited[i][j]) {
copyLab[i][j] = 1;
visited[i][j] = true;
DFS(copyLab, visited, cnt+1);
copyLab[i][j] = 0;
visited[i][j] = false;
}
}
}
}
public static int spreadVirus(int[][] area) {
Queue<Pair> queue = new LinkedList<>();
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
if (area[i][j] == 2) {
queue.add(new Pair(i, j));
}
}
}
while (!queue.isEmpty()) {
Pair pair = queue.poll();
for (int k = 0; k < 4; k++) {
int nx = dx[k] + pair.x;
int ny = dy[k] + pair.y;
if (nx < 0 || nx >= N || ny < 0 || ny >= M) continue;
if (area[nx][ny] != 0) continue;
queue.add(new Pair(nx, ny));
area[nx][ny] = 2;
}
}
return safeArea(area);
}
public static int safeArea(int[][] area) {
int cnt = 0;
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
if (area[i][j] == 0) cnt++;
}
}
return cnt;
}
static class Pair {
int x, y;
public Pair(int x, int y) {
this.x = x;
this.y = y;
}
}
}
문제링크
14502번: 연구소
인체에 치명적인 바이러스를 연구하던 연구소에서 바이러스가 유출되었다. 다행히 바이러스는 아직 퍼지지 않았고, 바이러스의 확산을 막기 위해서 연구소에 벽을 세우려고 한다. 연구소는 크
www.acmicpc.net
LIST