Algorithm/그래프 탐색

BOJ#2589 보물섬

밤이2209 2017. 4. 10. 19:42

BOJ#2589 보물섬


* 문제

* 풀이

모든 육지를 대상으로 bfs 탐색을 각각 수행해주면 됩니다.
주의할 점으로는 각 탐색 시 visited 배열을 초기화해줘야 합니다.



* 나의 코드


import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.LinkedList;
import java.util.Queue;
import java.util.StringTokenizer;

/**
* BOJ#2589 보물섬
* https://www.acmicpc.net/problem/2589
*/

public class Main {

static final int[] dRow = {0, -1, 0, 1};
static final int[] dCol = {-1, 0, 1, 0};

static int nRow, nCol;
static int[][] map = new int[51][51];
static boolean[][] discovered = new boolean[51][51];

public static void main(String[] args) throws IOException {

BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
StringTokenizer st = new StringTokenizer(br.readLine());

nRow = Integer.parseInt(st.nextToken());
nCol = Integer.parseInt(st.nextToken());

for (int i = 0; i < nRow; i++) {

String s = br.readLine();
for (int j = 0; j < nCol; j++) {

char c = s.charAt(j);
map[i][j] = c == 'L' ? 0 : -1;
}
}

int maxDistance = 0;
for (int i = 0; i < nRow; i++) {
for (int j = 0; j < nCol; j++) {

if (map[i][j] == -1) continue;
maxDistance = Math.max(maxDistance, bfs(i, j));
}
}

System.out.println(maxDistance);
}

static int bfs(int row, int col) {

int step = -1;

initArr();

Queue<Point> queue = new LinkedList<Point>();
queue.add(new Point(row, col));
discovered[row][col] = true;

while (!queue.isEmpty()) {

step++;

int size = queue.size();
for (int i = 0; i < size; i++) {

Point u = queue.poll();

for (int j = 0; j < 4; j++) {

int nextRow = u.row + dRow[j];
int nextCol = u.col + dCol[j];

if (nextRow < 0 || nextRow >= nRow || nextCol < 0 || nextCol >= nCol) continue;
if (discovered[nextRow][nextCol]) continue;
if (map[nextRow][nextCol] == -1) continue;

queue.add(new Point(nextRow, nextCol));
discovered[nextRow][nextCol] = true;
}
}
}

return step;
}

static void initArr() {

for (int i = 0; i < nRow; i++) {
for (int j = 0; j < nCol; j++) {

discovered[i][j] = false;
}
}
}
}

class Point {

int row, col;

Point(int row, int col) {

this.row = row;
this.col = col;
}
}





'Algorithm > 그래프 탐색' 카테고리의 다른 글

BOJ#7569 토마토  (0) 2017.04.11
BOJ#2667 단지번호붙이기  (0) 2017.04.10
BOJ#2146 다리 만들기  (0) 2017.04.10
BOJ#1182 부분집합의 합  (0) 2017.04.07
BOJ#1987 알파벳 (Letters)  (0) 2017.04.06