문제 설명
풀이
BFS로 해서 섬마을 구간 나누기 처럼 가장 큰 덩어리를 찾으면 된다. BFS를 돌리면서 쓰레기가 근처에 있으면 que에 넣고 카운트를 추가해주면서 계속 진행시키면 끝!
코드
import java.util.*;
import java.io.*;
class Main {
static int N,M,T;
static int[][] map,visit;
static int[] dx = {1, -1, 0, 0};
static int[] dy = {0, 0, 1, -1};
public static void main(String[] args) throws Exception {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
N = Integer.parseInt(st.nextToken());
M = Integer.parseInt(st.nextToken());
T = Integer.parseInt(st.nextToken());
map = new int[N+1][M+1];
visit = new int[N+1][M+1];
int count = 0;
while(T-- >0){
st = new StringTokenizer(br.readLine());
int x = Integer.parseInt(st.nextToken());
int y = Integer.parseInt(st.nextToken());
map[x-1][y-1] = 1;
}
for(int i=0; i<N; i++){
for(int j=0; j<M; j++){
// System.out.print(map[i][j] +" ");
if (map[i][j] == 1 && visit[i][j] == 0){
int result = bfs(i,j);
if (count < result){
count = result;
}
}
}
// System.out.println();
}
System.out.println(count);
}
static int bfs(int a, int b) {
Queue<int[]> que = new LinkedList<>();
int cnt = 1;
que.add(new int[] {a,b});
visit[a][b] = 1;
// bfs 시작
while(!que.isEmpty()) {
int[] out = que.poll();
int x = out[0];
int y = out[1];
for(int i=0; i<4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if(0 > nx || nx >= N || 0 > ny || ny >= M || visit[nx][ny] == 1) {
continue;
}
if(map[nx][ny] == 1) {
visit[nx][ny] = 1;
cnt = cnt+1;
que.add(new int[] {nx, ny});
}
}
}
return cnt;
}
}
https://www.acmicpc.net/problem/1743
'개발합시다. > JAVA 알고리즘 문제풀이' 카테고리의 다른 글
BOJ_17142 연구소 3 [Java] (G4) (0) | 2021.11.22 |
---|---|
BOJ_1303 전투[Java](S1) (0) | 2021.11.18 |
BOJ_7576 토마토 [Java] (S1) (0) | 2021.11.16 |
BOJ_7562 나이트의 이동 [JAVA](S2) (0) | 2021.11.16 |
BOJ_2636 치즈 [Java] (G5) (0) | 2021.11.11 |