🌞Algorithm/🔥Baekjoon

[Baekjoon] 4677_Oil Deposits

뿌야._. 2024. 9. 10. 12:45
문제(출처: https://www.acmicpc.net/problem/4677)

< Oil Deposits >

 

문제 풀이 

 

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

 

 my solution (Java)

import java.io.BufferedReader;
import java.io.BufferedWriter;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;

public class _4677_ { // Oil Deposits
	static boolean visited[][];
	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));
		BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));
		StringTokenizer st = new StringTokenizer(bf.readLine());

		int a = Integer.parseInt(st.nextToken());
		int b = Integer.parseInt(st.nextToken());

		while (a != 0 && b != 0) {
			visited = new boolean[a][b];
			result = 0;

			for (int i = 0; i < a; i++) {
				String str = bf.readLine();
				for (int j = 0; j < b; j++) {
					if (str.charAt(j) == '*') {
						visited[i][j] = true;
					}
				}
			}

			for (int i = 0; i < a; i++) {
				for (int j = 0; j < b; j++) {
					if (!visited[i][j]) {
						result += 1;
						visited[i][j] = true;
						bfs(i, j);
					}
				}
			}
			bw.write(result + "\n");
			st = new StringTokenizer(bf.readLine());
			a = Integer.parseInt(st.nextToken());
			b = Integer.parseInt(st.nextToken());
		}
		bw.flush();
	}

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

		while (!queue.isEmpty()) {
			int temp[] = queue.poll();
			for (int k = 0; k < 8; k++) {
				int a = temp[0] + dx[k];
				int b = temp[1] + dy[k];
				if (a >= 0 && a < visited.length && b >= 0 && b < visited[0].length && !visited[a][b]) {
					visited[a][b] = true;
					queue.add(new int[] { a, b });
				}
			}
		}

	}

}
변수)
visited : 방문 여부
result : 정답
dx, dy : 상, 하, 좌, 우, 대각선
a, b : 행, 열

 

행, 열이 0이 아닐 때까지 입력받는다. 정보를 입력받으면서 *일 경우 방문처리한다. 배열을 전체 탐색하면서 아직 방문처리가 되지 않은 곳을 방문처리 후 bfs를 호출한다. 최종 result를 출력한다.

 

bfs(int i, int j)

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

1) queue poll

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

 

 



 

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

[Baekjoon] 6031_Feeding Time  (0) 2024.09.12
[Baekjoon] 5958_Space Exploration  (0) 2024.09.11
[Baekjoon] 17198_Bucket Brigade  (0) 2024.09.09
[Baekjoon] 6186_Best Grass  (0) 2024.09.06
[Baekjoon] 9842_Prime  (0) 2024.09.05