https://school.programmers.co.kr/learn/courses/30/lessons/1844
조건
제한시간 : 30분 이내
일반적인 탐색문제다.
BFS 로 접근해서 풀었다.
import java.util.*;
class Solution {
static int row, col;
static class Point {
int x;
int y;
int distance;
public Point(int x, int y, int distance) {
this.x = x;
this.y = y;
this.distance = distance;
}
}
public boolean isThisValidRange(int x, int y) {
if(x < 0 || y < 0 || x >= row || y >= col)
return false;
else
return true;
}
public int bfs(int[][] maps) {
boolean[][] visited = new boolean[row][col];
Queue<Point> qu = new LinkedList<>();
visited[0][0] = true;
qu.offer(new Point(0, 0, 1));
int[] dx = {-1, 0, 1, 0};
int[] dy = {0, 1, 0, -1};
while(!qu.isEmpty()) {
Point curPoint = qu.poll();
if(curPoint.x == row-1 && curPoint.y == col-1) {
return curPoint.distance;
}
for (int i = 0; i < 4; i++) {
int nX = curPoint.x + dx[i];
int nY = curPoint.y + dy[i];
if(!isThisValidRange(nX, nY)) continue;
if(maps[nX][nY] == 0) continue;
if(visited[nX][nY]) continue;
visited[nX][nY] = true;
qu.offer(new Point(nX, nY, curPoint.distance + 1));
}
}
return -1;
}
public int solution(int[][] maps) {
row = maps.length;
col = maps[0].length;
return bfs(maps);
}
}
'PS > 프로그래머스' 카테고리의 다른 글
[프로그래머스 *Java] - 올바른 괄호 (0) | 2022.07.13 |
---|---|
[프로그래머스 *Java] - 예상 대진표 (0) | 2022.07.12 |
[프로그래머스 *Java] - 가장 큰 수 (순열로 접근x -> 런타임 에러 발생) (0) | 2022.07.09 |
[프로그래머스 *Java] - 더 맵게 (0) | 2022.07.07 |
[프로그래머스 *Java] - 기능개발 (0) | 2022.07.05 |