1. 程式人生 > >劍指Offer-二叉樹-(14)

劍指Offer-二叉樹-(14)

知識點/資料結構:二叉樹

題目描述
給定一棵二叉搜尋樹,請找出其中的第k小的結點。例如, (5,3,7,2,4,6,8) 中,按結點數值大小順序第三小結點的值為4。

/*
public class TreeNode {
    int val = 0;
    TreeNode left = null;
    TreeNode right = null;

    public TreeNode(int val) {
        this.val = val;

    }

}
*/
public class Solution {
   int index=0;//自己寫在了裡邊。要放在全域性變數。
   public  TreeNode KthNode(TreeNode pRoot, int k){
        //思路:二叉搜尋樹按照中序遍歷的順序打印出來正好就是排序好的順序。
        //所以,按照中序遍歷順序找到第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;
    }
}