본문 바로가기
PS/프로그래머스

[프로그래머스 *Java] - 게임 맵 최단거리

by Jman 2022. 7. 11.

https://school.programmers.co.kr/learn/courses/30/lessons/1844

 

프로그래머스

코드 중심의 개발자 채용. 스택 기반의 포지션 매칭. 프로그래머스의 개발자 맞춤형 프로필을 등록하고, 나와 기술 궁합이 잘 맞는 기업들을 매칭 받으세요.

programmers.co.kr

 

조건

제한시간 : 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);
    }
}