二分搜索树 01 基础

二分搜索树和二叉树的关系

  • 二叉树具有天然的递归结构
    • 每个节点的左子树也是二叉树
    • 每个节点的右子树也是二叉树
  • 二分搜索树是二叉树
    • 每一棵子树也是二分搜索树
    • 存储的元素必须具有可比较性

二分搜索树基础代码

  • BST>,限定二分搜索树中泛型的边界,使得元素具有可比较性;
  • 在数据结构 BST 中,只包含了一个指向根的指针 root
public class BST> {

    private class Node {
        public E e;
        public Node left, right;

        public Node(E e) {
            this.e = e;
            left = null;
            right = null;
        }
    }

    private Node root;
    private int size;

    public BST(){
        root = null;
        size = 0;
    }

    public int size(){
        return size;
    }

    public boolean isEmpty(){
        return size == 0;
    }
}

你可能感兴趣的:(二分搜索树 01 基础)