🔗 문제 링크
https://www.acmicpc.net/problem/2644
✏️ 풀이
const input = require('fs').readFileSync('/dev/stdin').toString().trim().split('\n');
const n = +input.shift();
const [person1, person2] = input.shift().split(' ');
const m = +input.shift();
const relations = input.reduce((acc, v) => {
const [parent, child] = v.split(' ');
if (!acc[parent]) {
acc[parent] = [child];
} else {
acc[parent].push(child);
}
if (!acc[child]) {
acc[child] = [parent];
} else {
acc[child].push(parent);
}
return acc;
}, {});
const dfs = (start, target) => {
const visited = Array(n + 1).fill(false);
visited[start] = true;
const stack = [[start, 0]];
while (stack.length) {
const [person, depth] = stack.pop();
if (person === target) {
return depth;
}
if (relations[person]) {
relations[person].forEach(nextPerson => {
if (!visited[nextPerson]) {
visited[nextPerson] = true;
stack.push([nextPerson, depth + 1]);
}
});
}
}
return -1;
};
console.log(dfs(person1, person2));
relations에 인접 배열의 형태로 그래프를 나타내었다.
DFS를 통해 person1에서 person2까지 도달할 때 depth를 구하여 출력하였다.
만약 person2까지 도달하지 못하고 while문을 빠져나온다면 -1을 출력하도록 하였다.
💡 새로 알게 된 점
처음에 문제를 풀 때 DFS로 구하는 것이 최단거리를 보장할 수 있을 지 의문이었다.
가족/친척 관계라는 특성상 각 연결 요소들이 트리 형태의 자료 구조를 갖게 된다. 각 정점 간의 경로가 하나씩만 존재하기 때문에 방문한 경로가 곧 최단거리가 된다. 따라서 이 문제는 DFS로도 해결할 수 있는 문제다.
'연습장 > 백준(BOJ) 문제풀이' 카테고리의 다른 글
[백준 1520 - Node.js] 내리막길 (0) | 2022.05.22 |
---|---|
[백준 11725 - Node.js] 트리의 부모 찾기 (0) | 2022.05.20 |
[백준 16236 - Node.js] 아기 상어 (0) | 2022.05.18 |
[백준 2583 - Node.js] 영역 구하기 (0) | 2022.05.16 |
[백준 2206 - Node.js] 벽 부수고 이동하기 (0) | 2022.05.16 |