문제 설명 :
임의의 tree를 구성하는 노드 중 하나의 Node 객체를 입력받아, 해당 노드를 시작으로 너비 우선 탐색(BFS, Breadth First Search)을 합니다. 이 때, 탐색되는 순서대로 노드의 값이 저장된 배열을 리턴해야 합니다.
입력
인자 1 : node
출력
주의사항
입출력 예시
let root = new Node(1);
let rootChild1 = root.addChild(new Node(2));
let rootChild2 = root.addChild(new Node(3));
let leaf1 = rootChild1.addChild(new Node(4));
let leaf2 = rootChild1.addChild(new Node(5));
let output = bfs(root);
console.log(output); // --> [1, 2, 3, 4, 5]
leaf1.addChild(new Node(6));
rootChild2.addChild(new Node(7));
output = bfs(root);
console.log(output); // --> [1, 2, 3, 4, 5, 7, 6]
풀이코드 설명:
let bfs = function (node) {
// TODO: 여기에 코드를 작성합니다.
console.log("node", node);
//queue에 node를 리스트로 바꿔 선언
let queue = [node];
//values라는 배열 선언
const values = [];
//queue의 길이가 0 이상일 떄 무한 반복
//queue의 배열의 요소가 없어질 때까지 무한 반복
while (queue.length > 0) {
//head에 queue의 첫번째요소를 할당
const head = queue[0];
//queue의 1번째요소부터 마지막까지를 다시 queue에 선언
queue = queue.slice(1);
//values에 head의 value를 삽입
values.push(head.value);
//forEach() 메서드는 주어진 함수를 배열 요소 각각에 대해 실행합니다.
head.children.forEach((child) => queue.push(child));
}
return values
};
// 이 아래 코드는 변경하지 않아도 됩니다. 자유롭게 참고하세요.
let Node = function (value) {
this.value = value;
this.children = [];
};
// 위 Node 객체로 구성되는 트리는 매우 단순한 형태의 트리입니다.
// membership check(중복 확인)를 따로 하지 않습니다.
Node.prototype.addChild = function (child) {
this.children.push(child);
return child;
};
let bfs = function (node) {
// // TODO: 여기에 코드를 작성합니다.
// console.log("node", node);
// //queue에 node를 리스트로 바꿔 선언
// let queue = [node];
// //values라는 배열 선언
// const values = [];
// //queue의 길이가 0 이상일 떄 무한 반복
// //queue의 배열의 요소가 없어질 때까지 무한 반복
// while (queue.length > 0) {
// //head에 queue의 첫번째요소를 할당
// const head = queue[0];
// //queue의 1번째요소부터 마지막까지를 다시 queue에 선언
// queue = queue.slice(1);
// //values에 head의 value를 삽입
// values.push(head.value);
// //forEach() 메서드는 주어진 함수를 배열 요소 각각에 대해 실행합니다.
// head.children.forEach((child) => queue.push(child));
// }
// return values
if (!Array.isArray(node)) node = new Array(node);
if (node.length == 0) return [];
return node.map((x) => x.value).concat(bfs(node.map((x) => x.children).flat()));
};
// 이 아래 코드는 변경하지 않아도 됩니다. 자유롭게 참고하세요.
let Node = function (value) {
this.value = value;
this.children = [];
};
// 위 Node 객체로 구성되는 트리는 매우 단순한 형태의 트리입니다.
// membership check(중복 확인)를 따로 하지 않습니다.
Node.prototype.addChild = function (child) {
this.children.push(child);
return child;
};
JavaScript Algorithm - rotatedArraySearch (0) | 2023.01.19 |
---|---|
JavaScript Algorithm - insertionSort (0) | 2023.01.18 |
JavaScript Algorithm - powerSet (0) | 2023.01.16 |
JavaScript Algorithm - binarySearch (0) | 2023.01.13 |
JavaScript Algorithm - power, 거듭제곱 (0) | 2023.01.12 |