루트 없는 트리가 주어진다. 이때, 트리의 루트를 1이라고 정했을 때, 각 노드의 부모를 구하는 프로그램을 작성하시오.
첫째 줄에 노드의 개수 N (2 ≤ N ≤ 100,000)이 주어진다. 둘째 줄부터 N-1개의 줄에 트리 상에서 연결된 두 정점이 주어진다.
첫째 줄부터 N-1개의 줄에 각 노드의 부모 노드 번호를 2번 노드부터 순서대로 출력한다.
const [N, ...edges] = require('fs').readFileSync('/dev/stdin').toString().trim().split('\n');
const graph = Array.from({ length: +N + 1 }).map(() => []);
const checked = Array.from({ length: +N + 1 }).fill(false);
const parentNodes = Array.from({ length: +N + 1 }).fill(null);
edges.forEach(edge => {
const [start, end] = edge.split(' ');
graph[start].push(+end);
graph[end].push(+start);
});
const dfsSearchForParent = vertex => {
if (checked[vertex]) return;
checked[vertex] = true;
graph[vertex].forEach(child => {
if (!checked[child]) parentNodes[child] = vertex;
dfsSearchForParent(child);
});
};
dfsSearchForParent(1);
let answer = '';
for (let i = 2; i < parentNodes.length; i++) {
answer += parentNodes[i] + '\n';
}
console.log(answer);
N + 1
길이의 배열을 사용한 이유는 노드 번호를 인덱스로 활용하기 위함이다. !checked[vertex]
, 즉 탐색 중인 노드의 부모 노드가 아닌 것들은 탐색 중인 노드의 자식 노드로 판단했다. parentNodes
라는 배열에 담아뒀고, 마지막에 parentNodes
배열을 순회하면서 각 부모 노드의 번호를 answer
변수에 추가한 뒤 answer
변수를 출력했다. parentNode
배열에 담긴 값을 하나하나 출력했기 때문이었다. 이렇게 하는 경우 무조건 시간 초과가 뜨는데, console.log
때문에 시간 초과가 뜬다고는 생각 못하고 괜히 문제 없는 로직만 계속 수정하다가 많은 시간을 낭비했다.