땀두 블로그

[백준] 2468번 - 안전 영역 본문

알고리즘/백준

[백준] 2468번 - 안전 영역

땀두 2022. 3. 23. 08:26

 

dfs를 활용한 문제이다. 배열을 그릴 때 최대 값을 저장하고, 그 최대값 까지 순환하면서 dfs로 탐색을 진행한다. 진행 시 물의 높이보다 낮은 경우 진행하지않고, 해당 탐색을 진행할 때마다 카운트를 더해 최종 카운트와 현재 저장된 결과값을 비교하여 더 높은 덩어리를 가진 값을 출력하도록 하였다.

 

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.StringTokenizer;

public class p2468 {
	public static int[][] ary;
	public static boolean[][] visited;
	public static int a;
	public static int cnt = 0;
	public static int[] nx = { -1, 0, 0, 1 };
	public static int[] ny = { 0, -1, 1, 0 };

	public static void main(String[] args) throws IOException {
		// TODO Auto-generated method stub
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));

		a = Integer.parseInt(br.readLine());
		int max = Integer.MIN_VALUE;
		ary = new int[a + 1][a + 1];
		visited = new boolean[a + 1][a + 1];

		for (int i = 1; i <= a; i++) {
			StringTokenizer st = new StringTokenizer(br.readLine());
			for (int j = 1; j <= a; j++) {
				ary[i][j] = Integer.parseInt(st.nextToken());
				if (max < ary[i][j]) {
					max = ary[i][j];
				}
			}
		}

		int rst = 0;
		for (int k = 0; k <= max; k++) {
			for (int i = 1; i <= a; i++) {
				for (int j = 1; j <= a; j++) {
					if (visited[i][j] == false && ary[i][j] > k) {
						dfs(i, j, k);
						cnt++;
					}
				}
			}
			rst = Math.max(cnt, rst);
			cnt = 0;
			init();
		}

		System.out.println(rst);
	}

	public static void dfs(int x, int y, int depth) {
		if (ary[x][y] <= depth || visited[x][y] == true) {
			visited[x][y] = true;
			return;
		}

		visited[x][y] = true;

		for (int i = 0; i < 4; i++) {
			int dx = x + nx[i];
			int dy = y + ny[i];
			if (dx > 0 && dy > 0 && dx <= a && dy <= a) {
				if (visited[dx][dy] == false) {
					dfs(dx, dy, depth);
				}
			}
		}
	}

	public static void init() {
		for (int i = 1; i <= a; i++) {
			for (int j = 1; j <= a; j++) {
				visited[i][j] = false;
			}
		}
	}
}
 

 

 

'알고리즘 > 백준' 카테고리의 다른 글

[백준] 2407번 - 조합  (0) 2022.03.30
[백준] 5525번 - IOIOI  (0) 2022.03.23
[백준] 16236번 - 아기상어  (0) 2022.03.23
[백준] 14500번 - 테트로미노  (0) 2022.03.23
[백준] 10026번 - 적록색약  (0) 2022.03.23
Comments