본문 바로가기
Problem Solving/Baekjoon

[백준] 27737 버섯 농장 - Graph Theory / Java

by graycode 2023. 8. 5.

 문제 링크

 

27737번: 버섯 농장

첫 번째 줄에 $N$, $M$, $K$가 공백으로 구분되어 주어진다. 두 번째 줄부터 $N$개의 줄에 나무판의 각 칸의 상태가 공백으로 구분되어 주어진다. 버섯이 자랄 수 있는 칸은 0, 버섯이 자랄 수 없는 칸

www.acmicpc.net

 

 풀이 코드

import java.io.BufferedWriter;
import java.io.IOException;
import java.io.OutputStreamWriter;
import java.util.LinkedList;
import java.util.Queue;

public class Main {

    static int n, m, k;
    static int[][] arr;
    static int[] dy = {-1, 1, 0, 0}, dx = {0, 0, -1, 1};

    public static void main(String[] args) throws IOException {
        BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out));

        n = read();
        m = read();
        k = read();

        if (m > 0) bw.write(isPossible());
        else bw.write("IMPOSSIBLE");

        bw.flush();
    }

    private static String isPossible() throws IOException {
        arr = new int[n][n];
        for (int i = 0; i < n; i++)
            for (int j = 0; j < n; j++) arr[i][j] = read();

        int cnt = 0;
        for (int i = 0; i < n; i++)
            for (int j = 0; j < n; j++) if (arr[i][j] == 0) cnt += bfs(i, j);

        return cnt > m || cnt == 0 ? "IMPOSSIBLE" : "POSSIBLE\n" + (m - cnt);
    }

    private static int bfs(int y, int x) {
        Queue<Pair> q = new LinkedList<>();

        q.offer(new Pair(y, x));
        arr[y][x] = -1;

        int cnt = 0;
        while (!q.isEmpty()) {
            Pair cur = q.poll();
            cnt++;
            for (int i = 0; i < 4; i++) {
                int ny = cur.y + dy[i], nx = cur.x + dx[i];
                if (ny < 0 || ny >= n || nx < 0 || nx >= n || arr[ny][nx] != 0) continue;

                q.offer(new Pair(ny, nx));
                arr[ny][nx] = -1;
            }
        }

        return cnt % k != 0 ? cnt / k + 1 : cnt / k;
    }

    private static class Pair {
        int y, x;

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

    private static int read() throws IOException {
        int c, n = System.in.read() & 15;
        while ((c = System.in.read()) > 32) n = (n << 3) + (n << 1) + (c & 15);

        return n;
    }

}

댓글