二叉搜索树的第k大节点
- 中序遍历,利用ArrayList存储遍历序列,返回list.size() - k元素。
class Solution {
ArrayList<Integer> list = new ArrayList<>();
public int kthLargest(TreeNode root, int k) {
dfs(root);
return list.get(list.size() - k);
}
public void dfs(TreeNode root) {
if (root != null) {
dfs(root.left);
list.add(root.val);
dfs(root.right);
}
}
}
- 中序遍历的逆序,依次递减。
class Solution {
int k, res;
public int kthLargest(TreeNode root, int k) {
this.k = k;
dfs(root);
return res;
}
public void dfs(TreeNode root) {
if (root != null) {
dfs(root.right);
if (k == 0) return;
k--;
if (k == 0) res = root.val;
dfs(root.left);
}
return;
}
}