인체에 치명적인 바이러스를 연구하던 연구소에 승원이가 침입했고, 바이러스를 유출하려고 한다. 승원이는 연구소의 특정 위치에 바이러스 M개를 놓을 것이고, 승원이의 신호와 동시에 바이러스는 퍼지게 된다.
연구소는 크기가 N×N인 정사각형으로 나타낼 수 있으며, 정사각형은 1×1 크기의 정사각형으로 나누어져 있다. 연구소는 빈 칸, 벽으로 이루어져 있으며, 벽은 칸 하나를 가득 차지한다.
일부 빈 칸은 바이러스를 놓을 수 있는 칸이다. 바이러스는 상하좌우로 인접한 모든 빈 칸으로 동시에 복제되며, 1초가 걸린다.
연구소의 상태가 주어졌을 때, 모든 빈 칸에 바이러스를 퍼뜨리는 최소 시간을 구해보자.
첫째 줄에 연구소의 크기 N(5 ≤ N ≤ 50), 놓을 수 있는 바이러스의 개수 M(1 ≤ M ≤ 10)이 주어진다.
둘째 줄부터 N개의 줄에 연구소의 상태가 주어진다. 0은 빈 칸, 1은 벽, 2는 바이러스를 놓을 수 있는 칸이다. 2의 개수는 M보다 크거나 같고, 10보다 작거나 같은 자연수이다.
연구소의 모든 빈 칸에 바이러스가 있게 되는 최소 시간을 출력한다. 바이러스를 어떻게 놓아도 모든 빈 칸에 바이러스를 퍼뜨릴 수 없는 경우에는 -1을 출력한다.
import java.io.*;
import java.util.*;
public class Main {
static int[][] input;
static boolean[] selected;
static boolean[][] visited;
static int N, M, min = Integer.MAX_VALUE, zeroCount = 0;
static List<int[]> candidate;
static Queue<int[]> q;
// 상 하 좌 우
static final int[] mx = {0, 0, -1, 1};
static final int[] my = {-1, 1, 0, 0};
static boolean cant = true;
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
StringBuilder sb = new StringBuilder();
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
input = new int[N][N];
candidate = new ArrayList<>();
for (int i = 0; i < N; i++) {
st = new StringTokenizer(br.readLine());
for (int j = 0; j < N; j++) {
int val = Integer.parseInt(st.nextToken());
input[i][j] = val;
if(val == 2) candidate.add(new int[]{i, j});
if(val != 1) zeroCount++;
}
}
selected = new boolean[candidate.size()];
backtracking(0, 0);
if(cant) bw.write("-1\n");
else bw.write(min + "\n");
bw.flush();
bw.close();
}
static void backtracking(int now, int count) {
int len = selected.length;
if(count == M) {
visited = new boolean[N][N];
q = new LinkedList<>();
for (int i = 0; i < len; i++) {
if(selected[i]) {
int[] cur = candidate.get(i);
q.add(new int[]{cur[0], cur[1], 0});
visited[cur[0]][cur[1]] = true;
}
}
bfs();
return;
}
for (int i = now; i < len; i++) {
if(selected[i]) continue;
selected[i] = true;
backtracking(i, count + 1);
selected[i] = false;
}
}
static void bfs() {
int max = Integer.MIN_VALUE;
int count = zeroCount - M;
while(!q.isEmpty()) {
int[] cur = q.remove();
for (int i = 0; i < 4; i++) {
int ty = cur[0] + my[i];
int tx = cur[1] + mx[i];
int time = cur[2];
if (ty >= 0 && ty < N && tx >= 0 && tx < N) {
if(!visited[ty][tx] && (input[ty][tx] == 0 || input[ty][tx] == 2)) {
count--;
visited[ty][tx] = true;
max = Math.max(max, time + 1);
q.add(new int[]{ty, tx, time + 1});
}
}
}
}
if(max == Integer.MIN_VALUE) max = 0;
if(count == 0) {
cant = false;
min = Math.min(max, min);
}
}
}
바이러스를 놓을 수 있는 좌표들의 Combination을 구하고 그 Combination으로 BFS를 수행해 최소 시간을 구하는 어렵지 않았던 문제