/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
//中序遍历,但 是大-中-小的顺序
int k, ans;
public int kthLargest(TreeNode root, int k) {
this.k = k;
dfs(root);
return ans;
}
void dfs (TreeNode root) {
if (root == null)
return;
//先找到最大的
dfs(root.right);
//根据k进行计数
//0是特别处理
if(k == 0)
return ;
k --;
//这个是表示找到了
if (k == 0)
ans = root.val;
dfs(root.left);
}
}
10-29
231