728x90
문제
https://www.acmicpc.net/problem/14502
풀이 코드
- DFS를 사용하여 벽을 놓을 위치를 찾는다.
- BFS를 사용하여 바이러스가 퍼지는 범위를 구하여 안전 영역을 구한다.
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
public class Main {
static boolean[][] check;
static int[][] board;
static int n, m;
static List<Pos> virus;
static int[] dx = {-1, 0, 1, 0};
static int[] dy = {0, 1, 0, -1};
static class Pos {
int x;
int y;
public Pos(int x, int y) {
this.x = x;
this.y = y;
}
}
public static int bfs(int[][] board) {
Queue<Pos> queue = new LinkedList<>();
for (Pos pos : virus) {
queue.offer(pos);
}
while(!queue.isEmpty()) {
Pos pos = queue.poll();
board[pos.x][pos.y] = 2;
for (int i = 0 ; i < 4; i++) {
int nx = pos.x + dx[i];
int ny = pos.y + dy[i];
if (nx >= 0 && nx < n && ny >= 0 && ny < m && board[nx][ny] == 0) {
queue.offer(new Pos(nx, ny));
}
}
}
int count = 0;
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (board[i][j] == 0) {
count++;
}
}
}
return count;
}
static int max = Integer.MIN_VALUE;
public static void dfs(int level) {
if (level == 3) {
int[][] copyBoard = new int[n][m];
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (check[i][j]) {
copyBoard[i][j] = 1;
} else {
copyBoard[i][j] = board[i][j];
}
}
}
max = Math.max(max, bfs(copyBoard));
} else {
for(int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (!check[i][j] && board[i][j] == 0) {
check[i][j] = true;
dfs(level+1);
check[i][j] = false;
}
}
}
}
}
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());
virus = new ArrayList<>(); //바이러스의 위치를 저장해놓는다.
check = new boolean[n][m];
board = new int[n][m];
for (int i = 0; i < n; i++) {
st = new StringTokenizer(br.readLine());
for (int j = 0; j < m; j++) {
board[i][j] = Integer.parseInt(st.nextToken());
if (board[i][j] == 2) {
virus.add(new Pos(i, j));
}
}
}
dfs(0);
System.out.println(max);
}
}
'알고리즘 문제풀이 > 백준' 카테고리의 다른 글
[알고리즘/백준] 14503 로봇 청소기 - 자바(Java), 삼성 SW 역량테스트 기출 (0) | 2021.10.20 |
---|---|
[알고리즘/백준] 14500 테트로미노 - 삼성 SW 역량테스트, 자바(Java) (0) | 2021.10.18 |
[알고리즘/백준] 3190 뱀 - 자바(Java), 덱(Deque), 삼성 SW 역량테스트 기출 (0) | 2021.10.14 |
[알고리즘/백준] 1003 피보나치 함수 - 자바(Java), DP (0) | 2021.10.13 |
[알고리즘/백준] 14051 퇴사 - 자바(Java), DP, 삼성 SW 역량테스트 기출 (0) | 2021.10.12 |
댓글