[level 2] 게임 맵 최단거리 - 1844
https://school.programmers.co.kr/learn/courses/30/lessons/1844
프로그래머스
SW개발자를 위한 평가, 교육, 채용까지 Total Solution을 제공하는 개발자 성장을 위한 베이스캠프
programmers.co.kr
생각보다 Level 2지만 BFS의 정석 문제입니다.
원리를 이해하고 있으면 가장 연습하기 좋은 문제였습니다.
[level 2] 게임 맵 최단거리 - 1844 풀이코드
더보기
#include<bits/stdc++.h>
using namespace std;
const int max_n = 104;
int n, m, x, y, nx, ny, a[max_n][max_n], visited[max_n][max_n];
int dy[4] = {-1, 0, 1, 0};
int dx[4] = {0, 1, 0, -1};
int solution(vector<vector<int>> maps)
{
int answer = 0;
n = maps.size();
m = maps[0].size();
for (int i = 0; i < n; i++)
{
for (int j = 0; j < m; j++)
{
a[i][j] = maps[i][j];
}
}
queue<pair<int, int>> q;
visited[y][x] = 1;
q.push({y, x});
while(q.size())
{
tie(y, x) = q.front(); q.pop();
for (int i = 0; i < 4; i++)
{
ny = y + dy[i];
nx = x + dx[i];
if (ny < 0 || ny >= n || nx < 0 || nx >= m || a[ny][nx] == 0) continue;
if (visited[ny][nx]) continue;
visited[ny][nx] = visited[y][x] + 1;
q.push({ny, nx});
}
}
answer = visited[n - 1][m - 1] > 0 ? visited[n - 1][m - 1] : -1;
return answer;
}