剑指Offer_62

题目

给定一颗二叉搜索树,请找出其中的第k大的结点。例如, 5 / \ 3 7 /\ /\ 2 4 6 8 中,按结点数值大小顺序第三个结点的值为4。

解题思路

中序遍历的结果就是二叉搜索树排序之后的结果。

解法一:

递归版本

1
2
3
4
//防止返回null
if(node != null){
return node;
}
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
/*
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
private int index = 0;
TreeNode KthNode(TreeNode pRoot, int k)
{
if(pRoot != null){
//首先程序递归到最左子树节点
TreeNode node = KthNode(pRoot.left, k);
if(node != null){
return node;
}
//从最左子树节点开始计算
++index;
if(k == index){
return pRoot;
}
//弹出栈的节点访问它的右子树
node = KthNode(pRoot.right, k);
if(node != null){
return node;
}
}
return null;
}
}

解法二:

非递归版本

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
import java.util.Stack;
/*
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
TreeNode KthNode(TreeNode pRoot, int k)
{
if(pRoot == null || k <= 0){
return null;
}
Stack<TreeNode> stack = new Stack<>();
do{
//每次循环先 先将非空pRoot入栈
if(pRoot != null){
stack.push(pRoot);
pRoot = pRoot.left;
}
else{
//出栈开始遍历,--k
pRoot = stack.pop();
if(--k == 0){
return pRoot;
}
//上面是将节点的左子树入栈
//如果节点的右子树非空,那么就有机会入栈
pRoot = pRoot.right;
}
}while(pRoot != null || !stack.isEmpty());
return null;
}
}