我新建的个人博客,欢迎访问:hmilzy.github.io
110.平衡二叉树
题目链接:平衡二叉树
用递归!!!
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
|
class Solution {
public boolean isBalanced(TreeNode root) { return getHeight(root) != -1; }
private int getHeight(TreeNode root) { if (root == null) { return 0; } int leftHeight = getHeight(root.left); if (leftHeight == -1) { return -1; } int rightHeight = getHeight(root.right); if (rightHeight == -1) { return -1; } if (Math.abs(leftHeight - rightHeight) > 1) { return -1; } return Math.max(leftHeight, rightHeight) + 1; } }
|
257. 二叉树的所有路径
题目链接:二叉树的所有路径
递归法牛!!!太需要理解了
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
|
class Solution { public List<String> binaryTreePaths(TreeNode root) { List<String> result = new ArrayList<>(); List<Integer> path = new ArrayList<>();
if(root == null) { return result; }
traversal(root,path,result); return result; }
public static void traversal(TreeNode root,List<Integer> path,List<String> result) { path.add(root.val); if(root.left == null && root.right == null) { StringBuilder sb = new StringBuilder(); for(int i = 0; i < path.size() - 1; i++) { sb.append(path.get(i)).append("->"); } sb.append(path.get(path.size() - 1)); result.add(sb.toString()); return ; } if(root.left != null) { traversal(root.left,path,result); path.remove(path.size() - 1); } if(root.right != null) { traversal(root.right,path,result); path.remove(path.size() - 1); } } }
|
404.左叶子之和
题目链接:左叶子之和
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
|
class Solution { public int sumOfLeftLeaves(TreeNode root) {
if(root == null) { return 0; } int leftValue = sumOfLeftLeaves(root.left); int rightValue = sumOfLeftLeaves(root.right); int midValue = 0; if(root.left != null && root.left.left == null && root.left.right == null) { midValue = root.left.val; } int sum = leftValue + rightValue + midValue; return sum;
} }
|