백준 4963 섬의 개수

Eunkyung·2021년 11월 12일
0

Algorithm

목록 보기
14/30

https://www.acmicpc.net/problem/4963

문제해결

bfs 기본 틀에서 크게 벗어나지 않는 문제였다. 다만 상하좌우, 대각선으로 이동가능하다는 것만 주의하면 된다.
종료조건으로 w와 h 모두 0이면 break를 걸어주었고 하나씩 탐색하면서 섬의 개수를 출력해주었다.

소스코드

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 Main {
    static int w; // 열
    static int h; // 행
    static int[][] map;
    static boolean[][] check;
    // 상하좌우 대각선
    static int[] dx = {-1, -1, -1, 0, 1, 1, 1, 0};
    static int[] dy = {-1, 0, 1, 1, 1, 0, -1, -1};
    static int count;
    static Queue<Node> queue;

    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        while (true) {
            StringTokenizer st = new StringTokenizer(br.readLine());
            w = Integer.parseInt(st.nextToken());
            h = Integer.parseInt(st.nextToken());
            count = 0;
            if (w == 0 && h == 0) {
                break;
            }
            map = new int[h][w];
            check = new boolean[h][w];
            for (int i = 0; i < h; i++) {
                st = new StringTokenizer(br.readLine());
                for (int j = 0; j < w; j++) {
                    map[i][j] = Integer.parseInt(st.nextToken());
                }
            }
            for (int i = 0; i < h; i++) {
                for (int j = 0; j < w; j++) {
                    if (map[i][j] == 1 && !check[i][j]) {
                        bfs(i, j);
                        count++;
                    }
                }
            }
            System.out.println(count);
        }
    }

    public static void bfs(int x, int y) {
        queue = new LinkedList<>();
        queue.add(new Node(x, y));
        check[x][y] = true;
        while (!queue.isEmpty()) {
            Node node = queue.poll();
            for (int i = 0; i < 8; i++) {
                int nx = node.x + dx[i];
                int ny = node.y + dy[i];
                if (nx >= 0 && ny >= 0 && nx < h && ny < w) {
                    if (map[nx][ny] == 1 && !check[nx][ny]) {
                        queue.add(new Node(nx, ny));
                        check[nx][ny] = true;
                    }
                }
            }
        }
    }
}

class Node {
    int x;
    int y;

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

출력결과랑 반례까지 다 맞췄는데 자꾸만 틀리다고 해서 틀린 부분 찾느라 시간을 많이 썼다. 혹시 방향이 잘못 설정된건가 싶어서 그림으로 그려서 하나씩 해보니까 됐다.

profile
꾸준히 하자

0개의 댓글