https://www.acmicpc.net/problem/7576
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.*;
public class Main {
static int N, M;
static int[][] storage;
static int[] dx = {0, -1, 0, 1};
static int[] dy = {1, 0, -1, 0};
static Queue<Tomato> queue = new LinkedList<>();
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
M = Integer.parseInt(st.nextToken());
N = Integer.parseInt(st.nextToken());
storage = new int[N][M];
for (int i = 0; i < N; i++) {
st = new StringTokenizer(br.readLine());
for (int j = 0; j < M; j++) {
storage[i][j] = Integer.parseInt(st.nextToken());
if(storage[i][j] == 1){
queue.add(new Tomato(i, j));
}
}
}
bfs();
int ans = 1;
loopA:
for (int[] tomatoes : storage) {
for (int t : tomatoes) {
if(t == 0){
ans = 0;
break loopA;
}
ans = Math.max(ans, t);
}
}
System.out.println(ans - 1);
}
private static void bfs() {
while (!queue.isEmpty()) {
Tomato now = queue.poll();
for (int i = 0; i < 4; i++) {
int nx = now.x + dx[i];
int ny = now.y + dy[i];
if (nx >= 0 && nx < N && ny >= 0 && ny < M && storage[nx][ny] == 0) {
storage[nx][ny] = storage[now.x][now.y] + 1;
queue.add(new Tomato(nx, ny));
}
}
}
}
private static class Tomato {
int x;
int y;
Tomato(int x, int y) {
this.x = x;
this.y = y;
}
}
}
💡 BFS
풀이
- BFS 활용해 가능한 모든 토마토 탐색
- 토마토 객체 정의 (필드 = x좌표, y좌표, 익은 날짜(1 시작 기준))
- bfs가 끝난 후, storage 배열 전체 탐색하며 0있는지 검사
- 0이 존재한다면 토마토가 모두 익지 못하는 상태 => -1 리턴
- 0 제외, 존재하는 값 중 최대 값 -1 출력
🔽연관 문제
https://www.acmicpc.net/problem/7569
'Algorithm > Beakjoon' 카테고리의 다른 글
[JAVA] 백준 18870번 : 좌표 압축 (0) | 2024.01.01 |
---|---|
[JAVA] 백준 10026번 : 적록색약 (1) | 2024.01.01 |
[JAVA / 자바] 백준 9095번_1, 2, 3 더하기 (0) | 2023.12.30 |
[JAVA / 자바] 백준 11047번_동전 0 (0) | 2023.12.30 |
[JAVA / 자바] 백준 11399번_ATM (1) | 2023.12.29 |