최초의 시작하는 곳은 map에서 1로 되어있으므로 이값들은
static으로 선언한 queue에다가 넣어준다.if (map[i][j] == 1) { queue.add(new Node(i, j)); chk[i][j] = true; }
bfs부분을 다르게 접근했다.
날짜별로 새롭게 추가되는 토마토들을 구분하기 위해서 q2라는 queue를 선언하였고
이를 q2에 추가한다.if (y >= 0 && y < m && x >= 0 && x < n) { if (!chk[y][x] && map[y][x] == 0) { map[y][x] = 1; q2.add(new Node(y, x)); chk[y][x] = true; } }
만약에 q2에 추가된 값이 없다면 더이상 토마토가 증식하지 않으므로 전체 while문을 돌게 만드는 조건인 check를 false로 바꾼다.
만약에 q2에 추가된것이 있다면
queue에다가 q2에 있는값들을 옮겨닮고, 증식이 진행된 횟수에 ++를한다.if(q2.size()==0){ check = false; }else{ while(!q2.isEmpty()){ queue.add(q2.poll()); } answer++; }
전체 반복이 끝난후에
map을 다시 반복해서 돌며 0인부분이 있다면 이는 빈공간때문에 도달할 수 없는 경우였기 때문에 answer = -1을 return 해준다.for (int i = 0; i < m; i++) { for (int j = 0; j < n; j++) { if(map[i][j]==0){ answer=-1; break; } } if(answer==-1){ break; } } return answer;
package bfs;
import java.util.*;
public class BJ7576 {
static int[][] map;
static boolean[][] chk;
static int n;
static int m;
static int[] diry = {-1, 0, 1, 0}; //상 우 하 좌
static int[] dirx = {0, 1, 0, -1};
static Queue<Node> queue = new LinkedList<>();
public static class Node {
int y;
int x;
public Node(int y, int x) {
this.y = y;
this.x = x;
}
}
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
n = sc.nextInt();
m = sc.nextInt();
map = new int[m][n];
chk = new boolean[m][n];
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
map[i][j] = sc.nextInt();
if (map[i][j] == 1) {
queue.add(new Node(i, j));
chk[i][j] = true;
}
}
}
System.out.println( bfs(queue));
}
public static int bfs(Queue<Node> queue) {
Queue<Node> q2 = new LinkedList<>();
//System.out.println(queue.size());
int answer = 0;
boolean check = true;
while (check) {
while (!queue.isEmpty()) {
Node now = queue.poll();
for (int j = 0; j < 4; j++) {
int y = now.y + diry[j];
int x = now.x + dirx[j];
//System.out.println(y+":"+x);
if (y >= 0 && y < m && x >= 0 && x < n) {
if (!chk[y][x] && map[y][x] == 0) {
map[y][x] = 1;
q2.add(new Node(y, x));
chk[y][x] = true;
}
}
}
}
//System.out.println(q2.toString());
if(q2.size()==0){
check = false;
}else{
while(!q2.isEmpty()){
queue.add(q2.poll());
}
answer++;
}
//System.out.println(Arrays.deepToString(map));
}
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
if(map[i][j]==0){
answer=-1;
break;
}
}
if(answer==-1){
break;
}
}
return answer;
}
}