문제링크 : https://www.acmicpc.net/problem/1012
문제풀이
dfs, bfs로 풀 수 있는 문제이다.
문제 2667번과 동일한 방식으로 쉽게 풀 수 있다.
dfs, bfs 두 방식으로 모두 풀어보았다.
소스코드
import java.io.*; import java.util.*; public class p_1012 { static int[][] arr = new int[50][50]; static int[] dx = {0, 0, -1, 1}; static int[] dy = {1, -1, 0, 0}; public static void main(String[] args) throws IOException { BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); int T = Integer.parseInt(br.readLine()); while (T > 0) { String str = br.readLine(); StringTokenizer st = new StringTokenizer(str); int M = Integer.parseInt(st.nextToken()); int N = Integer.parseInt(st.nextToken()); int K = Integer.parseInt(st.nextToken()); for (int i = 0; i < M; i++) { Arrays.fill(arr[i], 0); } for (int i = 0; i < K; i++) { str = br.readLine(); st = new StringTokenizer(str); int x = Integer.parseInt(st.nextToken()); int y = Integer.parseInt(st.nextToken()); arr[x][y] = 1; } int count = 0; for (int i = 0; i < M; i++) { for (int j = 0; j < N; j++) { if (arr[i][j] == 1) { dfs(M, N, i, j); // bfs(M, N, i, j); count++; } } } System.out.println(count); T--; } } public static void dfs(int M, int N, int x, int y) { for (int i = 0; i < 4; i++) { int nextX = x + dx[i]; int nextY = y + dy[i]; if (nextX >= 0 && nextX < M && nextY >= 0 && nextY < N) { if (arr[nextX][nextY] == 1) { arr[nextX][nextY] = 0; dfs(M, N, nextX, nextY); } } } } public static void bfs(int M, int N, int x, int y) { Queue<Position> queue = new LinkedList<Position>(); queue.offer(new Position(x, y)); while (!queue.isEmpty()) { Position p = queue.poll(); for (int i = 0; i < 4; i++) { int nextX = p.x + dx[i]; int nextY = p.y + dy[i]; if (nextX >= 0 && nextX < M && nextY >= 0 && nextY < N) { if (arr[nextX][nextY] == 1) { arr[nextX][nextY] = 0; queue.offer(new Position(nextX, nextY)); } } } } } } class Position { int x; int y; Position (int x, int y) { this.x = x; this.y = y; } }
'Algorithm > 문제풀이' 카테고리의 다른 글
[백준] 4963번: 섬의 개수 (0) | 2019.06.28 |
---|---|
[백준] 10828번: 스택 (0) | 2019.06.28 |
[백준] 2667번: 단지번호붙이기 (0) | 2019.06.21 |
[백준] 7576번: 토마토 (0) | 2019.06.20 |
[백준] 1697번: 숨바꼭질 (0) | 2019.06.20 |