알고리즘공부(Algorithm Study)/문제풀이(ProblemSolving)

백준 7569 java - 토마토(그래프/bfs)

Chaany 2022. 5. 30.
728x90

문제, 입출력, 테스트케이스

해당 문제는 3차원 배열의 6방 bfs문제이다. 딱히 다른 bfs문제와 별다를게 없으므로 바로 해설 들어간다.

 

<문제 풀이/접근과정>
1. 토마토가 익었을 경우 1, 날 것일 경우 0, 썩었을 경우 -1
2. H, M, N은 각각 상자의 층수, 상자의 가로칸, 세로칸 크기이다.
3. 익은 토마토는 그 다음차례에 위, 아래, 왼쪽, 오른쪽, 앞, 뒤 여섯 방향의 토마토에 영향을 주어 익게한다.
4. 답 출력에 두 가지 방법이 떠올랐다.
- 미리 익지 않은 토마토를 세서 bfs 돌린 후 최종적으로 익은 토마토와 익지 않았던 토마토의 갯수가 같으면 다 익은 것이므로 일수 출력 아니면 -1 출력
- bfs를 돌린 후 익지 않은 토마토가 있나 확인 후 없으면 일수 출력 아니면 -1 출력
5. 처음부터 싱싱한 토마토가 없는 경우에는 1을 출력

<소스코드>

package boj;

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 Boj_7569 {
	static int map[][][], M, N, H,
			delta[][] = { { 1, 0, 0 }, { -1, 0, 0 }, { 0, 0, -1 }, { 0, 0, 1 }, { 0, 1, 0 }, { 0, -1, 0 } }, tomatoCnt;
	static Queue<int[]> q;

	public static void main(String[] args) throws IOException {
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));

		String temp[] = br.readLine().split(" ");
		StringTokenizer stz;
		M = Integer.parseInt(temp[0]);
		N = Integer.parseInt(temp[1]);
		H = Integer.parseInt(temp[2]);

		map = new int[H + 1][N + 1][M + 1]; // 패딩
		tomatoCnt = 0;
		q = new LinkedList<>();
		// 입력 받기
		for (int i = 1; i <= H; i++) {
			for (int j = 1; j <= N; j++) {
				stz = new StringTokenizer(br.readLine());
				for (int k = 1; k <= M; k++) {
					map[i][j][k] = Integer.parseInt(stz.nextToken());
					if (map[i][j][k] == 0)
						tomatoCnt++;
					if (map[i][j][k] == 1)
						q.add(new int[] { i, j, k });

				}
			}
		}
		if (tomatoCnt == 0) { // 이미 다 익어있을 경우 0
			System.out.println(0);
		} else {
			bfs();
		}
	}

	private static void bfs() {
		int dayCnt = 0;
		int tempTomatoCnt = 0;
		while(!q.isEmpty()) {
			int size = q.size();
			
			for (int i = 0; i < size; i++) {
				int temp[] = q.poll();
				
				int h = temp[0];
				int n = temp[1];
				int m = temp[2];
				
				for (int j = 0; j < delta.length; j++) {
					int nh = h + delta[j][0];
					int nn = n + delta[j][1];
					int nm = m + delta[j][2];
					
					if(!check(nh, nn, nm))continue;
					
					if(map[nh][nn][nm] == -1 || map[nh][nn][nm] == 1) continue;
					
					tempTomatoCnt++;
					map[nh][nn][nm] = 1;
					q.add(new int[] { nh, nn, nm});
					
				}
				
			}
			dayCnt++;
		}
		if(tomatoCnt == tempTomatoCnt) {
			System.out.println(dayCnt-1);
		}else {
			System.out.println(-1);
		}
	}

	private static boolean check(int nh, int nn, int nm) {
		return 1 <= nh && nh <= H && 1 <= nn && nn <= N && 1 <= nm && nm <= M;
	}
}
728x90

댓글