#ツリー データ構造
ツリーは、いくつかのエッジで接続されたノードの集合です。慣例により、ツリーの各ノードは 一部のデータとその子ノードへの参照を保存します。 二分探索木二分探索木とは、値が小さいノードが左側に、値が小さいノードが左側に格納される二分木です。より高い値が右側に格納されます。 たとえば、有効な BST の視覚的表現は -25 / \ 20 36 / \ / \ 10 22 30 40
class Node{ constructor(data) { this.data = data; this.left = null; this.right = null; }; };
const newNode = new Node(23);
class BinarySearchTree{ constructor(){ this.root = null; }; };
class BinarySearchTree{ constructor(){ this.root = null; } insert(data){ var newNode = new Node(data); if(this.root === null){ this.root = newNode; }else{ this.insertNode(this.root, newNode); }; }; insertNode(node, newNode){ if(newNode.data < node.data){ if(node.left === null){ node.left = newNode; }else{ this.insertNode(node.left, newNode); }; } else { if(node.right === null){ node.right = newNode; }else{ this.insertNode(node.right,newNode); }; }; }; };
class Node{ constructor(data) { this.data = data; this.left = null; this.right = null; }; }; class BinarySearchTree{ constructor(){ this.root = null; } insert(data){ var newNode = new Node(data); if(this.root === null){ this.root = newNode; }else{ this.insertNode(this.root, newNode); }; }; insertNode(node, newNode){ if(newNode.data < node.data){ if(node.left === null){ node.left = newNode; }else{ this.insertNode(node.left, newNode); }; } else { if(node.right === null){ node.right = newNode; }else{ this.insertNode(node.right,newNode); }; }; }; }; const BST = new BinarySearchTree(); BST.insert(1); BST.insert(3); BST.insert(2);
以上がJavaScript での二分探索ツリーの実装の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。