[풀이]
- BFS 유형의 문제였으며 영역을 구해야 하는 문제입니다.
- 반복문을 돌며 값이 1이고, 방문하지 않았을 경우 solve메소드를 호출한 횟수를 구해 출력했습니다.
- solve메소드를 호출했다는 것은 곧 이전과 새로운 영역이며 이 영역을 호출하면서 연결되어 있는 곳을 모두 확인하게 됩니다.
- BFS는 큐를 이용해서 구현했으며 Point 라는 내부 클래스를 구현하여 x,y좌표 생성자로 만들 수 있도록 했습니다.
- solve() 메소드를 통해 새로 방문한 곳이면 boolean 2차원 배열에 값을 true로 변경했습니다.
[코드]
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 testCase;
static int m, n, k;
static int[][] arr;
static boolean[][] visited;
static int[] dx = {-1, 0, 1, 0};
static int[] dy = {0, -1, 0, 1};
static class Point {
int x, y;
public Point(int x, int y) {
this.x = x;
this.y = y;
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
testCase = Integer.parseInt(br.readLine());
while (testCase-- > 0) {
StringTokenizer st = new StringTokenizer(br.readLine(), " ");
m = Integer.parseInt(st.nextToken());
n = Integer.parseInt(st.nextToken());
k = Integer.parseInt(st.nextToken());
arr = new int[m][n];
visited = new boolean[m][n];
int count = 0;
for (int i = 0; i < k; i++) {
st = new StringTokenizer(br.readLine(), " ");
arr[Integer.parseInt(st.nextToken())][Integer.parseInt(st.nextToken())] = 1;
}
for (int i = 0; i < m; i++) {
for (int j = 0; j < n; j++) {
if (!visited[i][j] && arr[i][j] == 1) {
solve(i, j);
count += 1;
}
}
}
System.out.println(count);
}
}
public static void solve(int x, int y) {
Queue<Point> queue = new LinkedList<>();
queue.offer(new Point(x, y));
visited[x][y] = true;
while (!queue.isEmpty()) {
Point poll = queue.poll();
for (int i = 0; i < 4; i++) {
int nextX = poll.x + dx[i];
int nextY = poll.y + dy[i];
if (nextX < 0 || nextY < 0 || nextX >= m || nextY >= n) {
continue;
}
if (!visited[nextX][nextY] && arr[nextX][nextY] == 1) {
visited[nextX][nextY] = true;
queue.offer(new Point(nextX, nextY));
}
}
}
}
}
'Algorithm > 백준' 카테고리의 다른 글
백준 2583번 : 영역 구하기(Java) (0) | 2021.11.14 |
---|---|
백준 7576번 : 토마토(Java) (0) | 2021.11.13 |
백준 5397번 : 키로거(Java) (0) | 2021.11.10 |
백준 7562번 : 나이트의 이동(Java) (0) | 2021.11.08 |
백준 18870번 : 좌표 압축(Java) (0) | 2021.11.07 |