突破算法第10天-二叉树:
用java实现算法求出二叉树的高度
树
- 先序遍历:先访问根结点,然后左节点,最后右节点
- 中序遍历:先访问左结点,然后根节点,最后右节点
- 后续遍历:先访问左结点,然后右节点,最后根节点
java实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72
| public class TreeNode { TreeNode left; TreeNode right; int val; TreeNode(int val) { this.val = val; } public static void main(String[] args) { TreeNode root = new TreeNode(1); TreeNode left1 = new TreeNode(2); TreeNode left2 = new TreeNode(3); TreeNode right1 = new TreeNode(4); root.left = left1; left1.right = left2; root.right = right1; scanNodes(root); System.out.println("树的深度是:" + getDepth(root)); System.out.println("非递归深度:" + findDeep2(root)); } static int getDepth(TreeNode root) { if (root == null) { return 0; } int left = getDepth(root.left); int right = getDepth(root.right); return left > right ? left + 1 : right + 1; } static void scanNodes(TreeNode root) { if (root == null) { return; } scanNodes(root.left); scanNodes(root.right); System.out.println(root.val); } public static int findDeep2(TreeNode root) { if (root == null) return 0; TreeNode current = null; LinkedList<TreeNode> queue = new LinkedList<>(); queue.offer(root); int cur, next; int level = 0; while (!queue.isEmpty()) { cur = 0; next = queue.size(); while (cur < next) { current = queue.poll(); cur++; if (current.left != null) { queue.offer(current.left); } if (current.right != null) { queue.offer(current.right); } } level++; } return level; } }
|
树的变种
二叉查找树,平衡二叉查找树,红黑树,b树
红黑树和平衡二叉树(AVL树)类似,都是在进行插入和删除操作时通过特定操作保持二叉查找树的平衡,从而获得较高的查找性能。红黑树和AVL树的区别在于它使用颜色来标识结点的高度,它所追求的是局部平衡而不是AVL树中的非常严格的平衡。
由于二叉树的效率和深度息息相关,于是出现了多路的B树,B+树等等。b树是叶子为n的平衡树。
博客搬家,请访问新博客地址吧! 我的博客