解题思路:
方法一:递归法(方法二更好理解,个人更习惯方法二)
前中后序均可,实际上没有中的处理
中左右,左中右,左右中,实际上都是左在前,所以遇到的第一个节点就是最左节点
可以改为简化逻辑:
recur ( root , depth + 1 )
传入的depth+1,实际上并没有改变depth的值
class Solution {
int maxDepth = Integer.MIN_VALUE;
int res;
public int findBottomLeftValue(TreeNode root) {
int depth = 0;
recur(root, depth);
return res;
}
public void recur(TreeNode root, int depth) {
if (root == null) return;
if (root.left == null && root.right == null) {
if (depth > maxDepth) {
maxDepth = depth;
res = root.val;
}
}
if (root.left != null) {
depth++;
recur(root.left, depth);
depth--;
}
if (root.right != null) {
depth++;
recur(root.right, depth);
depth--;
}
}
}
方法二:迭代法
层序遍历
class Solution {
public int findBottomLeftValue(TreeNode root) {
Queue<TreeNode> queue = new ArrayDeque<>();
queue.add(root);
int res = 0;
while (!queue.isEmpty()) {
int size = queue.size();
for (int i = 0; i < size; i++) {
TreeNode node = queue.poll();
if (i == 0) res = node.val;
if (node.left != null) queue.add(node.left);
if (node.right != null) queue.add(node.right);
}
}
return res;
}
}