반응형
문제
풀이
아주 일반적인 BFS문제.
destination(start)부터 BFS를 돌면서, 각각 노드 첫번째 방문시에 얼마나 걸렸는지(cnt)를 배열(dist)에 넣어준다.
방문 전에 배열은 -1로 초기화하고, 처음 방문시에 걸린 횟수(cnt)를 넣어준다.
BFS 특성상 가장 첫 방문이 최단 거리이므로 dist값이 -1이 아니라면 이미 방문한 노드이니 갱신해주지 않는다.
BFS를 끝내면 sources에 들어있는 노드까지 얼마나 걸리는지를 answer에 넣어준다.
소스 코드
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
44
45
46
47
48
49
50
51
52
53
54
55
56
57
|
#include <string>
#include <vector>
#include <queue>
using namespace std;
vector<int> map[100001];
int dist[100001];
void Bfs(int start)
{
dist[start] = 0;
queue<pair<int, int>> q;
q.push(make_pair(start, 0));
while(!q.empty())
{
int cur = q.front().first;
int cnt = q.front().second;
q.pop();
for (int i = 0; i < map[cur].size(); i++)
{
int next = map[cur][i];
if(dist[next] == -1)
{
dist[next] = cnt + 1;
q.push(make_pair(next, cnt + 1));
}
}
}
}
vector<int> solution(int n, vector<vector<int>> roads, vector<int> sources, int destination) {
vector<int> answer;
for(int i = 0; i < roads.size(); i++)
{
int a = roads[i][0];
int b = roads[i][1];
map[a].push_back(b);
map[b].push_back(a);
}
for (int i = 0; i < 100001; i++)
{
dist[i] = -1;
}
Bfs(destination);
for (int i = 0; i < sources.size(); i++)
{
answer.push_back(dist[sources[i]]);
}
return answer;
}
|
cs |
반응형
'알고리즘 > 프로그래머스' 카테고리의 다른 글
[프로그래머스 131130] 혼자 놀기의 달인 C# (0) | 2023.11.07 |
---|---|
[프로그래머스 132265] 롤케이크 자르기 C++ (0) | 2022.11.18 |
[프로그래머스 131127] 할인 행사 C++ (0) | 2022.11.04 |
[프로그래머스 42898] 등굣길 C++ (0) | 2021.11.20 |
[프로그래머스 43105] 정수 삼각형 C++ (0) | 2021.11.20 |