在 Javascript AVL 树中插入节点

web developmentfront end technologyjavascript

我们可以学习如何在 AVL 树中插入节点。AVL 树中的插入与 BST 相同,我们只需要在插入过程中执行一个额外的步骤,即在树向下移动时平衡树。

这需要计算我们之前已经看到的平衡因子。并且根据配置,我们需要调用适当的旋转方法。在上述解释的帮助下,这些非常直观。

我们再次创建一个类方法和一个用于递归调用的辅助函数 − 

示例

insert(data) {
   let node = new this.Node(data);
   // 检查树是否为空
   if (this.root === null) {
      // 作为第一个元素插入
      this.root = node;
   } else {
      insertHelper(this, this.root, node);
   }
}

辅助方法

function insertHelper(self, root, node) {
   if (root === null) {
      root = node;
   } else if (node.data < root.data) {
      // 向左走!
      root.left = insertHelper(self, root.left, node);
      // 检查平衡因子并执行适当的旋转
      if (root.left !== null && self.getBalanceFactor(root) > 1) {
          if (node.data > root.left.data) {
            root = rotationLL(root);
         } else {
            root = rotationLR(root);
         }
      }
   } else if (node.data > root.data) {
      // 向右走!root。
      right = insertHelper(self, root.right, node);
      // 检查平衡因子并执行适当的旋转
      if (root.right !== null && self.getBalanceFactor(root) < -1) {
         if (node.data > root.right.data) {
            root = rotationRR(root);
         } else {
            root = rotationRL(root);
         }
      }
   }
   return root;
}

您可以使用以下方法进行测试 −

示例

let AVL = new AVLTree();

AVL.insert(10);
AVL.insert(15);
AVL.insert(5);
AVL.insert(50);
AVL.insert(3);
AVL.insert(7);
AVL.insert(12);

AVL.inOrder();

输出

这将给出输出 −

3
5
7
10
12
15
50

相关文章