🌞Algorithm/🔥Baekjoon

[Baekjoon] 6031_Feeding Time

뿌야._. 2024. 9. 12. 17:27
문제(출처: https://www.acmicpc.net/problem/6031)

< Feeding Time >

 

문제 풀이 

 

bfs를 사용하여 문제를 해결한다.

 

 my solution (Java)

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 _6031_ { // Feeding Time
	static boolean arr[][];
	static int result;
	static int dx[] = { -1, 1, 0, 0, -1, -1, 1, 1 };
	static int dy[] = { 0, 0, -1, 1, -1, 1, -1, 1 };

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

		int w = Integer.parseInt(st.nextToken());
		int h = Integer.parseInt(st.nextToken());

		arr = new boolean[h][w];
		for (int i = 0; i < h; i++) {
			String str = bf.readLine();
			for (int j = 0; j < w; j++) {
				if (str.charAt(j) == '*') {
					arr[i][j] = true;
				}
			}
		}

		result = 0;
		for (int i = 0; i < h; i++) {
			for (int j = 0; j < w; j++) {
				if (!arr[i][j]) {
					arr[i][j] = true;
					bfs(i, j);
				}

			}
		}
		System.out.println(result);
	}

	private static void bfs(int i, int j) {
		Queue<int[]> queue = new LinkedList<>();
		queue.add(new int[] { i, j });

		int cnt = 1;
		while (!queue.isEmpty()) {
			int temp[] = queue.poll();
			for (int k = 0; k < 8; k++) {
				int x = temp[0] + dx[k];
				int y = temp[1] + dy[k];
				if (x >= 0 && x < arr.length && y >= 0 && y < arr[0].length && !arr[x][y]) {
					arr[x][y] = true;
					cnt += 1;
					queue.add(new int[] { x, y });
				}
			}
		}
		result = Math.max(result, cnt);
	}
}
변수)
arr : 방문 여부
result: 결과
dx, dy : 상, 하, 좌, 우, 대각선
w, h : 배열 크기

 

w, h 값을 입력받는다. 배열 정보를 입력받아 *인 경우 방문처리한다. 배열을 전체 탐색하면서 아직 방문하지 않은 곳이라면 bfs 함수를 호출한다. 최종 result를 출력한다.

 

bfs(int i, int j)

Queue에 배열 형태로 위치를 저장한다. queue가 빌 때까지 다음 과정을 반복한다.

1) queue poll

2) 8방향으로 탐색 후 범위 안이고 아직 방문하지 않았다면 방문 후 queue에 추가   

영역 최댓값 업데이트한다.

 

 



 

'🌞Algorithm > 🔥Baekjoon' 카테고리의 다른 글

[Baekjoon] 15240_Paint bucket  (0) 2024.09.23
[Baekjoon] 4993_Red and Black  (1) 2024.09.13
[Baekjoon] 5958_Space Exploration  (0) 2024.09.11
[Baekjoon] 4677_Oil Deposits  (0) 2024.09.10
[Baekjoon] 17198_Bucket Brigade  (0) 2024.09.09