Algorithm

[BOJ 2468] 안전 영역 ( with Java )

quedevel 2023. 4. 16. 14:34
728x90
반응형

문제

 

2468번: 안전 영역

재난방재청에서는 많은 비가 내리는 장마철에 대비해서 다음과 같은 일을 계획하고 있다. 먼저 어떤 지역의 높이 정보를 파악한다. 그 다음에 그 지역에 많은 비가 내렸을 때 물에 잠기지 않는

www.acmicpc.net

제출한 답안

package BOJ;

import java.util.Scanner;

public class BOJ_2468 {
    private static int[][] map;
    private static boolean[][] isVisited;
    private static final int[] dx = {1,-1,0,0};
    private static final int[] dy = {0,0,1,-1};
    private static int N;
    private static int count = 0;

    public static void main(String[] args) {
        Scanner sc = new Scanner(System.in);

        N = Integer.parseInt(sc.nextLine());

        map = new int[N][N];
        isVisited = new boolean[N][N];

        int maxHeight = Integer.MIN_VALUE;

        for (int i = 0; i < N; i++) {
            String[] split = sc.nextLine().split(" ");
            for (int j = 0; j < split.length; j++) {
                int h = Integer.parseInt(split[j]);
                if (h > maxHeight) maxHeight = h;
                map[i][j] = h;
            }
        }
        sc.close();

        int max = Integer.MIN_VALUE;

        for (int i = 0; i < maxHeight; i++) {
            for (int j = 0; j < N; j++) {
                for (int k = 0; k < N; k++) {
                    if (!isVisited[j][k] && map[j][k] > i){
                        dfs(j,k,i);
                        count++;
                    }
                }
            }
            if (count > max) max = count;
            isVisited = new boolean[N][N];
            count = 0;
        }
        System.out.println(max);
    }

    private static void dfs(int x, int y, int more){
        isVisited[x][y] = true;
        for (int i = 0; i < dx.length; i++) {
            int nx = x + dx[i];
            int ny = y + dy[i];
            if (nx < 0 || ny < 0 || nx >= N || ny >= N || isVisited[nx][ny]) continue;
            if (map[nx][ny] > more){
                dfs(nx,ny,more);
            }
        }
    }
}
728x90
반응형