[BJ7576] 토마토

 백준 - 토마토 

문제 링크

https://www.acmicpc.net/problem/7576

 

7576번: 토마토

첫 줄에는 상자의 크기를 나타내는 두 정수 M,N이 주어진다. M은 상자의 가로 칸의 수, N은 상자의 세로 칸의 수를 나타낸다. 단, 2 ≤ M,N ≤ 1,000 이다. 둘째 줄부터는 하나의 상자에 저장된 토마토

www.acmicpc.net

 

문제 입출력

6 4
1 -1 0 0 0 0
0 -1 0 0 0 0
0 0 0 0 -1 0
0 0 0 0 -1 1
6

 

문제 풀이

import java.io.BufferedReader;
import java.io.FileInputStream;
import java.io.InputStreamReader;
import java.util.ArrayDeque;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.Queue;
import java.util.StringTokenizer;


public class Main {
	static int ans, M, N;
	static int[][] map;
	static boolean[][] visit;

	static int[] dy = { -1, 1, 0, 0 };
	static int[] dx = { 0, 0, -1, 1 };

	static Queue<Node> q = new ArrayDeque<>();
	static List<Node> list = new ArrayList<>();


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

		StringTokenizer st = new StringTokenizer(br.readLine());
		M = Integer.parseInt(st.nextToken());
		N = Integer.parseInt(st.nextToken());
		map = new int[N][M];
		visit = new boolean[N][M];
		for (int i = 0; i < N; i++) {
			st = new StringTokenizer(br.readLine());
			for (int j = 0; j < M; j++) {
				int m = Integer.parseInt(st.nextToken());
				if (m == 1) {
					q.add(new Node(i, j, 0));
					visit[i][j] = true;
				}

				map[i][j] = m;
			}

		}

		// 초기화
		ans = Integer.MIN_VALUE;

		// 탐색
		bfs();

		// 출력
		if (check()) ans = -1;
		System.out.println(ans);

	} // end main


	private static void bfs() {

		while (!q.isEmpty()) {
			Node node = q.poll();
			ans = node.d;

			for (int d = 0; d < 4; d++) {
				int ny = node.y + dy[d];
				int nx = node.x + dx[d];

				if (ny < 0 || ny >= N || nx < 0 || nx >= M) continue;
				if (visit[ny][nx]) continue;
				if (map[ny][nx] == -1) continue;

				q.offer(new Node(ny, nx, node.d + 1));
				map[ny][nx] = node.d + 1;
				visit[ny][nx] = true;
			}

		}

	} // end bfs


	private static boolean check() {
		for (int i = 0; i < N; i++) {
			for (int j = 0; j < M; j++) if (map[i][j] == 0) return true;
		}

		return false;
	}


	static class Node {
		int y, x;
		int d;


		public Node(int y, int x, int d) {
			this.y = y;
			this.x = x;
			this.d = d;
		}


		@Override
		public String toString() {
			return "Node [y=" + y + ", x=" + x + ", d=" + d + "]";
		}

	} // end Node

}
  • bfs 를 이용하여 풀 수 있는 문제입니다.
  • Node 를 이용하여 depth 를 저장합니다.
  • 마지막으로 꺼낸 노드의 depth 를 ans 에 저장하면 답이 됩니다.

 

 

 

 

 

 

 

 

 

# 백준 토마토 java # 백준 토마토 bfs # 백준 토마토 자바


 

728x90

'✏️ 𝗔𝗹𝗴𝗼𝗿𝗶𝘁𝗵𝗺 > 백준 알고리즘' 카테고리의 다른 글

[BJ2583] 영역 구하기  (0) 2022.09.21
[BJ7569] 토마토  (0) 2022.09.21
[BJ9205] 맥주 마시면서 걸어가기  (0) 2022.09.19
[BJ2644] 촌수계산  (0) 2022.09.17
[BJ2469] 안전 영역  (0) 2022.09.17