# 유형 : 그래프 탐색, BFS
# 난이도 : 골드 5
# 기존 bfs 문제와 비슷한데, 모든 육지에서 bfs를 돌려 가장 긴 구간을 구해야 했던 문제.
하나의 연결된 육지에서 가장 멀리 떨어져있는 두 곳을 찾아야한다. 아래의 경우 (1,2)에서 출발하는 건 최단 경로가 아니고, (4,1)에서 출발하여 (5,2)로 도착하는게 최단경로이다. 따라서 모든 육지에서 bfs를 돌려 가장 긴 값을 찾으면 된다.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
|
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 p2589 {
static int R,C;
static int moveY[] = {-1,0,1,0};
static int moveX[] = {0,1,0,-1};
static char arr[][];
static boolean visit[][];
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());
R = Integer.parseInt(st.nextToken());
C = Integer.parseInt(st.nextToken());
arr = new char[R][C];
visit = new boolean[R][C];
for(int i=0; i<R; i++) {
String str = br.readLine();
for(int j=0; j<C; j++) {
arr[i][j] = str.charAt(j);
}
}
int result = 0;
for(int i=0; i<R; i++) {
for(int j=0; j<C; j++) {
if(arr[i][j] == 'L') {
visit = new boolean[R][C];
int val = bfs(i,j);
result = Math.max(result, val);
}
}
}
System.out.println(result);
}
private static int bfs(int i, int j) {
Queue<Po> queue = new LinkedList<>();
int val = 0;
visit[i][j] = true;
queue.add(new Po(j,i,0));
while(!queue.isEmpty()) {
Po p = queue.poll();
for(int d=0; d<4; d++) {
int newX = p.x + moveX[d];
int newY = p.y + moveY[d];
if(0<=newX && newX<C && 0<=newY && newY<R && !visit[newY][newX] && arr[newY][newX]=='L') {
visit[newY][newX] = true;
queue.add(new Po(newX, newY, p.cnt+1));
val = Math.max(val, p.cnt+1);
}
}
}
return val;
}
public static class Po{
int x;
int y;
int cnt;
public Po(int x, int y, int cnt) {
this.x = x;
this.y = y;
this.cnt = cnt;
}
}
}
|
cs |
'백준' 카테고리의 다른 글
#백준_2986 파스칼 - Java 자바 (0) | 2020.03.11 |
---|---|
#백준_2194 유닛 이동시키기 - Java 자바 (0) | 2020.03.10 |
#백준_4948 베르트랑 공준 - Java 자바 (0) | 2020.03.07 |
#백준_1939 중량제한 - Java 자바 (0) | 2020.03.07 |
#백준_5567 결혼식 - Java 자바 (0) | 2020.03.06 |