当前位置:   article > 正文

【数据结构和算法15】二叉树排序_二叉排序树时间复杂度是多少

二叉排序树时间复杂度是多少

        顾名思义,二叉树排序就是利用二叉搜索树的特点进行排序,前面提到过二叉搜索树的特点是,左子节点比自己小,右子节点比自己大,那么二叉树排序的思想就是先将待排序序列逐个添加到二叉搜索树中去,再通过中序遍历二叉搜索树就可以将数据从小到大取出来。如果对二叉树还不太了解,请看这篇博文:二叉搜索树 ,这里不再赘述。

下面我们来看看二叉树排序的实现:

 

  1. public class Tree2Sort {
  2. private Node root;
  3. public Tree2Sort() {
  4. root = null;
  5. }
  6. public Node getRoot() {
  7. return root;
  8. }
  9. public void insertSort(int[] source) {
  10. for(int i = 0; i < source.length; i++) {
  11. int value = source[i];
  12. Node node = new Node(value);
  13. if(root == null) {
  14. root = node;
  15. }
  16. else {
  17. Node current = root;
  18. Node parent;
  19. boolean insertedOK = false;
  20. while(!insertedOK) {
  21. parent = current;
  22. if(value < current.value) {
  23. current = current.leftChild;
  24. if(current == null) {
  25. parent.leftChild = node;
  26. insertedOK = true;
  27. }
  28. }
  29. else {
  30. current = current.rightChild;
  31. if(current == null) {
  32. parent.rightChild = node;
  33. insertedOK = true;
  34. }
  35. }
  36. }
  37. }
  38. }
  39. }
  40. //中序遍历
  41. public void inOrder(Node current) {
  42. if(current != null) {
  43. inOrder(current.leftChild);
  44. System.out.print(current.value + " ");
  45. inOrder(current.rightChild);
  46. }
  47. }
  48. }
  49. class Node {
  50. public int value;
  51. Node leftChild;
  52. Node rightChild;
  53. public Node(int val) {
  54. value = val;
  55. }
  56. }

 

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

        

        欢迎大家关注我的公众号:“武哥聊编程”,一个有温度的公众号~

        关注回复:资源,可以领取海量优质视频资料


        程序员私房菜

_____________________________________________________________________________________________________________________________________________________

-----乐于分享,共同进步!

-----更多文章请看:http://blog.csdn.net/eson_15

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/Gausst松鼠会/article/detail/681238
推荐阅读
相关标签
  

闽ICP备14008679号