简单说下二叉树排序

举报
Tom forever 发表于 2019/10/26 10:50:52 2019/10/26
【摘要】 之前我写过一篇二叉树的文章:下次面试若再被问到二叉树,希望你能对答如流!这篇文章详细分析了二叉树这种数据结构。顾名思义,二叉树排序就是利用二叉搜索树的特点进行排序,上面这篇文章提到过二叉搜索树的特点是,左子节点比自己小,右子节点比自己大,那么二叉树排序的思想就是先将待排序序列逐个添加到二叉搜索树中去,再通过中序遍历二叉搜索树就可以将数据从小到大取出来。没错,这篇文章就写到这,这可能是我目前写...

之前我写过一篇二叉树的文章:下次面试若再被问到二叉树,希望你能对答如流!这篇文章详细分析了二叉树这种数据结构。

顾名思义,二叉树排序就是利用二叉搜索树的特点进行排序,上面这篇文章提到过二叉搜索树的特点是,左子节点比自己小,右子节点比自己大,那么二叉树排序的思想就是先将待排序序列逐个添加到二叉搜索树中去,再通过中序遍历二叉搜索树就可以将数据从小到大取出来

没错,这篇文章就写到这,这可能是我目前写过最短的文章了……


public class Tree2Sort {
 private Node root;
 public Tree2Sort() {
   root = null;
 }
 public Node getRoot() {
   return root;
 }
 public void insertSort(int[] source) {
   for(int i = 0; i < source.length; i++) {
     int value = source[i];
     Node node = new Node(value);
     if(root == null) {
       root = node;
     }
     else {
       Node current = root;
       Node parent;
       boolean insertedOK = false;
       while(!insertedOK) {
         parent = current;
         if(value < current.value) {
           current = current.leftChild;
           if(current == null) {
             parent.leftChild = node;
             insertedOK = true;
           }
         }
         else {
           current = current.rightChild;
           if(current == null) {
             parent.rightChild = node;
             insertedOK = true;
           }
         }
       }
       
     }
   }
 }
 //中序遍历
 public void inOrder(Node current) {
   if(current != null) {
     inOrder(current.leftChild);
     System.out.print(current.value + " ");
     inOrder(current.rightChild);
   }
 }
}
class Node {
 public int value;
 Node leftChild;
 Node rightChild;
 public Node(int val) {
   value = val;
 }
}




算法分析: 二叉树的插入时间复杂度为 O(logN),所以二叉树排序算法的时间复杂度为 O(NlogN),但是二叉树排序跟归并排序一样,也需要额外的和待排序序列大小相同的存储空间。空间复杂度为 O(N)。




转载声明:本文转载自公众号【程序员私房菜】。    

原文链接:https://mp.weixin.qq.com/s/Si71RXjlElX82gtyKwt_rQ

【版权声明】本文为华为云社区用户转载文章,如果您发现本社区中有涉嫌抄袭的内容,欢迎发送邮件进行举报,并提供相关证据,一经查实,本社区将立刻删除涉嫌侵权内容,举报邮箱: cloudbbs@huaweicloud.com
  • 点赞
  • 收藏
  • 关注作者

评论(0

0/1000
抱歉,系统识别当前为高风险访问,暂不支持该操作

全部回复

上滑加载中

设置昵称

在此一键设置昵称,即可参与社区互动!

*长度不超过10个汉字或20个英文字符,设置后3个月内不可修改。

*长度不超过10个汉字或20个英文字符,设置后3个月内不可修改。