728x90
반응형
https://www.acmicpc.net/problem/17086
728x90
푸는데 한세월 걸린 문제..
반응형
각 영역으로부터 상어까지의 최대 거리를 BFS로 탐색한 결과를 받는다.
package bfs;
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 BabyShark2 {
static int[][] map;
static boolean[][] visit;
static int N, M;
static int[] dy = {-1, -1, 0, 1, 1, 1, 0, -1};
static int[] dx = {0, 1, 1, 1, 0, -1, -1 ,-1};
static class Pos {
int y, x, d;
public Pos(int y, int x, int d) {
this.y = y;
this.x = x;
this.d = d;
}
}
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine(), " ");
N = stoi(st.nextToken());
M = stoi(st.nextToken());
map = new int[N][M];
visit = new boolean[N][M];
for (int i = 0; i < N; i++) {
st = new StringTokenizer(br.readLine(), " ");
for (int j = 0; j < M; j++) {
map[i][j] = stoi(st.nextToken());
}
}
int val = Integer.MIN_VALUE;
for (int i = 0; i < N; i++) {
for (int j = 0; j < M; j++) {
if(map[i][j] == 1) continue;
val = Math.max(val, bfs(i,j));
}
}
System.out.println(val);
}
public static int bfs(int y, int x) {
Queue<Pos> q = new LinkedList<Pos>();
q.add(new Pos(y, x, 0));
visit = new boolean[N][M];
visit[y][x] = true;
while(!q.isEmpty()) {
Pos cur = q.poll();
for (int dir = 0; dir < 8; dir++) {
int ny = cur.y + dy[dir];
int nx = cur.x + dx[dir];
if(isInRange(ny, nx)) continue;
if(visit[ny][nx]) continue;
if(map[ny][nx] == 1) {
return cur.d + 1;
}
visit[ny][nx] = true;
q.add(new Pos(ny, nx, cur.d + 1));
}
}
return 0;
}
public static boolean isInRange(int y, int x) {
return y < 0 || y >= N || x < 0 || x >= M;
}
public static int stoi(String str) {
return Integer.parseInt(str);
}
}
다음은 좀 더 효율적으로 풀이한 소스코드이다.
각 상어의 위치로부터 BFS로 탐색하며 겹치지 않는 위치에서 최대로 갈 수 있는 거리를 탐색한다.
https://github.com/dev-Hoony-93/Algorithm/blob/master/boj/P17086.java
728x90
반응형
'코딩테스트 > 백준' 카테고리의 다른 글
[백준/java] 1806번: 부분합 - 투 포인터 활용 (0) | 2021.09.10 |
---|---|
[백준/java] 10026번: 적록색약 - DFS (0) | 2021.09.10 |
[백준/java] 13335번: 트럭 (프로그래머스와 동일) (0) | 2021.08.25 |
[백준/java] 1520번: 내리막길 - DFS + DP (0) | 2021.08.19 |
[백준/java] 1987번 : 알파벳 - DFS (0) | 2021.08.19 |
댓글