프로그래머스 Level 2 - 배달
📌 문제 설명
data:image/s3,"s3://crabby-images/d415b/d415b4dd46a78e45d8ed46877c7fc432a67dd0a3" alt=""
data:image/s3,"s3://crabby-images/267ed/267ed9871d01c586c2a1f9ba0920c6d53c9ec834" alt=""
data:image/s3,"s3://crabby-images/eb536/eb53685b3baa96bdc028452d90f25bb072a73139" alt=""
📌 생각한 풀이 방법 (다익스트라 알고리즘)
- 연결되어 있는 경로를 모두 lines배열에 저장한다.
- 모든 경로를 탐색하는데 기존에 경로의 값보다 우회하는 값이 더 작으면 해당 값을 저장함
- 경로의 제한인 K보다 cost가 작은 경로의 수를 반환을 함
📌 풀이
function solution(N, road, K) {
const arr = Array(N + 1).fill(Number.MAX_SAFE_INTEGER);
const lines = Array.from(Array(N + 1), () => []);
road.forEach((value) => {
let [a, b, c] = value;
lines[a].push({ to: b, cost: c });
lines[b].push({ to: a, cost: c });
});
let queue = [{ to: 1, cost: 0 }];
arr[1] = 0;
while (queue.length) {
let { to } = queue.pop();
lines[to].forEach((next) => {
if (arr[next.to] > arr[to] + next.cost) {
arr[next.to] = arr[to] + next.cost;
queue.push(next);
}
});
}
return arr.filter((item) => item <= K).length;
}