二叉搜索树

作者: 我犟不过你 | 来源:发表于2020-10-27 17:37 被阅读0次

详细定义参考如下:https://baike.baidu.com/item/%E4%BA%8C%E5%8F%89%E6%90%9C%E7%B4%A2%E6%A0%91
数据结构学习网站:
https://www.cs.usfca.edu/~galles/visualization/Algorithms.html

性质:

1.若任意结点的左子树不空,则左子树上所有结点的值均不大于它的根结点的值。

  1. 若任意结点的右子树不空,则右子树上所有结点的值均不小于它的根结点的值。
    3.任意结点的左、右子树也分别为二叉搜索树。

java实现一个二叉搜索树:

package com.cloud.bssp.indexing;

import org.apache.commons.lang3.ObjectUtils;
import org.apache.commons.lang3.RandomUtils;

/**
 * 二叉搜索树
 * @date: 2020/10/27
 * @author weirx
 * @version 3.0
 */
public class BinarySearchTree {

    private static class Node {
        int data;
        Node left;
        Node right;
    }

    /**
     * 根节点
     */
    private static Node root;

    public static void insert(int data) {
        //最终树
        Node result;
        //得到一个节点
        Node node = new Node();
        node.data = data;
        //判断当前根节点是否为空
        if (ObjectUtils.isEmpty(root)) {
            //空?
            root = node;
        } else {
            //非空?
            //初始化一个当前节点,用于后面循环增加节点
            Node current = root;
            while (true) {
                result = current;
                if (data >= current.data) {
                    //添加到右侧
                    current = current.right;
                    if (ObjectUtils.isEmpty(current)) {
                        result.right = node;
                        return;
                    }
                } else {
                    //添加到左侧
                    current = current.left;
                    if (ObjectUtils.isEmpty(current)) {
                        result.left = node;
                        return;
                    }
                }
            }
        }
    }

    public static void main(String[] args) {
        int num;
        for (int i = 0; i < 10; i++) {
            num = RandomUtils.nextInt(0, 10);
            BinarySearchTree.insert(num);
            System.out.println(num);
        }
        //没实际意义,用于打个断点观察root
        System.out.println();
    }
}

相关文章

  • 数据结构与算法之二叉搜索树(八)

    目录 二叉搜索树概念二叉搜索树的接口设计,包括增,删,改,查平衡二叉搜索树 一 二叉搜索树 二叉搜索树是二叉树的一...

  • Algorithm小白入门 -- 二叉搜索树

    二叉搜索树二叉搜索树 BSTBST 的基本操作计算合法的 BST 1. 二叉搜索树 BST 二叉搜索树(Binar...

  • 二叉搜索树

    二叉搜索树 图解二叉树搜索算法图解:二叉搜索树算法二叉查找树(Binary Search Tree),(又:二叉搜...

  • 23-红黑树

    1.二叉搜索树(BST)继承二叉树(BinaryTree) 2.平衡二叉搜索树(BBST)继承二叉搜索树(BST)...

  • 二叉搜索树(Binary Search Tree)

    1. 定义 二叉搜索树(BST)又叫二叉查找树,二叉排序树。二叉搜索树就是一棵二叉树,但是它又具有搜索树的特征: ...

  • 二叉树基础

    二叉树的分类 完全二叉树与满二叉树 二叉搜索树BST 平衡二叉搜索树BBST因为二叉搜索树有可能退化为链表,降低查...

  • 数据结构 经典算法复习

    二叉搜索树, 平衡二叉树(AVL) 红黑树 B树(平衡多路搜索树) B+树(在B树上改造) 二叉搜索树...

  • Swift 验证二叉搜索树- LeetCode

    题目: 验证二叉搜索树 验证二叉搜索树给定一个二叉树,判断其是否是一个有效的二叉搜索树。 假设一个二叉搜索树具有...

  • 树,二叉树,搜索树

    树,二叉树,搜索树 资料 二叉搜索树 Demo 树的遍历 Demo 题目 ◎ 二叉树的中序遍历 ◎ 二叉树...

  • 【数据结构】红黑树

    1、什么是红黑树? 红黑树是一个要求不那么严格的平衡二叉树搜索树(平衡二叉搜索树/AVL树=平衡二叉树+二叉搜索树...

网友评论

    本文标题:二叉搜索树

    本文链接:https://www.haomeiwen.com/subject/ksqxvktx.html