题目地址:
https://www.lintcode.com/problem/find-largest-value-in-each-tree-row/description
给定一棵二叉树,返回其每层最大值。
法1:BFS。分层遍历,记录最大值加入最终结果即可。代码如下:
import java.util.ArrayList;
import java.util.LinkedList;
import java.util.List;
import java.util.Queue;
public class Solution {
/**
* @param root: a root of integer
* @return: return a list of integer
*/
public List<Integer> largestValues(TreeNode root) {
// write your code here
List<Integer> res = new ArrayList<>();
if (root == null) {
return res;
}
Queue<TreeNode> queue = new LinkedList<>();
queue.offer(root);
while (!queue.isEmpty()) {
int size = queue.size();
int max = Integer.MIN_VALUE;
for (int i = 0; i < size; i++) {
TreeNode x = queue.poll();
max = Math.max(max, x.val);
if (x.left != null) {
queue.offer(x.left);
}
if (x.right != null) {
queue.offer(x.right);
}
}
res.add(max);
}
return res;
}
}
class TreeNode {
int val;
TreeNode left, right;
TreeNode(int x) {
val = x;
}
}
时空复杂度 O ( n ) O(n) O(n)。
法2:DFS。对整个树做DFS,同时将深度作为参数传递下去。如果当前深度是第一次达到,则将当前节点值直接加入res,否则比较之前遍历时得到的最大值和当前节点值哪个大,再set回res即可。代码如下:
import java.util.ArrayList;
import java.util.List;
public class Solution {
/**
* @param root: a root of integer
* @return: return a list of integer
*/
public List<Integer> largestValues(TreeNode root) {
// write your code here
List<Integer> res = new ArrayList<>();
dfs(root, 0, res);
return res;
}
private void dfs(TreeNode root, int depth, List<Integer> res) {
if (root == null) {
return;
}
// 如果depth是第一次达到,则将当前值加入res;
// 否则更新当前深度的最大值
if (depth == res.size()) {
res.add(root.val);
} else {
res.set(depth, Math.max(res.get(depth), root.val));
}
dfs(root.left, depth + 1, res);
dfs(root.right, depth + 1, res);
}
}
时间复杂度 O ( n ) O(n) O(n),空间 O ( h ) O(h) O(h)。