当前位置:   article > 正文

如何创建一个简单的二叉树(TreeNode)?

treenode

我们都知道,数据结构最典型的就是数组和链表,在《算法图解》一书中,详细介绍了数组和链表的优缺点:
数组查询快(下标),但删除或者插入就比较慢(遍历) 
链表与之相反,删除和插入元素很快,但查找很慢
所以二叉树就应运而生了,它结合二者的优点,取二家之长,但是在实际编程中,大多时候,根本用不到二叉树(实际编程中,我从来没用过二叉树,但是面试可能会问啊,所以趁有空学习总结下),网上找了一下二叉树的应用场景: 
哈夫曼编码(最优二叉树)(给定n个权值作为n个叶子结点,构造一棵二叉树,若带权路径长度达到最小,即带权路径长度最短的树),在数据压缩上有重要应用,提高了传输的有效性,详见《信息论与编码》。
海量数据(大批量动态数据)并发查询,二叉树复杂度是O(K+LgN)。二叉排序树就既有链表的好处,也有数组的好处, 在处理大批量的动态的数据是比较有用。


C++ STL中的set/multiset、map,以及Linux虚拟内存的管理,都是通过红黑树去实现的。查找最大(最小)的k个数,红黑树,红黑树中查找/删除/插入,都只需要O(logk)。
B-Tree,B+-Tree在文件系统中的目录应用。
路由器中的路由搜索引擎。

商业软件:数据管理,搜索(路由搜索)
游戏:场景划分、入口切换、碰撞检测、渲染等

1、如何创建一个二叉树?

  1. public class TreeNode {
  2. int val; //数据域
  3. TreeNode left; //左小孩
  4. TreeNode right; //右小孩
  5. TreeNode() {
  6. left = null;
  7. right = null;
  8. }
  9. TreeNode(int val) {
  10. this.val = val;
  11. left = null;
  12. right = null;
  13. }
  14. public void setVal(int val) {
  15. this.val = val;
  16. }
  17. }
  1. public class Test2 {
  2. public static final int[] TREE_VALUE = new int[] { 1, 2, 3, 0, 4, 5, 0, 0, 6, 0, 0, 7, 0, 0, 8, 0, 9, 10, 0, 0, 0 };
  3. /**
  4. * 维护构建二叉树的值和值索引
  5. */
  6. public static class TreeValue {
  7. public static int index = 0;
  8. public static final int[] TREE_VALUE = new int[] { 1, 2, 3, 0, 4, 5, 0, 0, 6, 0, 0, 7, 0, 0, 8, 0, 9, 10, 0, 0,
  9. 0 };
  10. }
  11. public static TreeNode createTree(TreeNode node, int i) {
  12. if (0 == TreeValue.TREE_VALUE[i]) {
  13. return null;
  14. } else {
  15. node.setVal(TreeValue.TREE_VALUE[i]);
  16. }
  17. TreeNode leftChild = new TreeNode();
  18. node.left = createTree(leftChild, ++TreeValue.index);
  19. TreeNode rightChild = new TreeNode();
  20. node.right = createTree(rightChild, ++TreeValue.index);
  21. return node;
  22. }
  23. public void showLeft(TreeNode tree) {
  24. if (tree != null) {
  25. System.out.println(tree.val);
  26. // 遍历左子树
  27. showLeft(tree.left);
  28. }
  29. }
  30. public void showRight(TreeNode tree) {
  31. if (tree != null) {
  32. System.out.println(tree.val);
  33. // 遍历右子树
  34. showRight(tree.right);
  35. }
  36. }
  37. public static void main(String[] args) {
  38. TreeNode root = new TreeNode();
  39. root = createTree(root, 0);
  40. System.out.println("遍历左子树:");
  41. new Test2().showLeft(root);
  42. System.out.println("遍历右子树:");
  43. new Test2().showRight(root);
  44. }
  45. }

 

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

闽ICP备14008679号