프로그래머스 : 게임 맵 최단거리 - c++

JangGwon·2022년 7월 21일
0

문제설명

.
가중치가 없는 그래프의 최단거리를 탐색하는 문제는 Bfs가 적합한거같다.
위 문제는 진짜 단순히 고려할 사항 하나 없이 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
#include<vector>
#include <queue>
using namespace std;
 
int visited[101][101];
int dx[4= {0,0,1,-1};
int dy[4= {1,-1,0,0};
 
int solution(vector<vector<int> > maps)
{
    int answer = 0;
    queue<pair<int,pair<int,int> > > q;
    q.push(make_pair(1,make_pair(0,0)));        // 시작 위치 넣기
    visited[0][0= true;
    while (!q.empty())
    {
        int x = q.front().second.first;
        int y = q.front().second.second;
        int time = q.front().first;
        if (x == maps[0].size()-1 && y == maps.size() -1)   // 도착 지점 체크
        {
            answer = time;
            break;
        }
        q.pop();
        for (int i = 0; i < 4; i++)
        {
            int xx = x + dx[i];
            int yy = y + dy[i];
            if (xx >= 0 && yy >= 0 && xx < maps[0].size() && yy< maps.size())       // 범위 지정
            {
                if (!visited[yy][xx] && maps[yy][xx] == 1)      // 방문했던 곳 and maps 상 길인 지점                                                     
                {
                    visited[yy][xx] = true;
                    q.push(make_pair(time +1make_pair(xx,yy)));
                }
            }
        }
    }
    if (answer == 0)        // answer = 0 이면 위 bfs에서 도착지점을 못찾은것
        answer = -1;
    return answer;
}
cs

0개의 댓글