您的位置:首页 > 其它

Kth Smallest Element in a BST

2015-09-08 11:10 381 查看


解题思路:按树的中序遍历的方式,利用栈实现,第k个出栈的节点即是所求的。

Java
代码实现:


/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
public class Solution {
public int kthSmallest(TreeNode root, int k) {
TreeNode p=new TreeNode(0);
p=root;
Stack sk=new Stack();
sk.push(p);
while(p.left!=null){
sk.push(p.left);
p=p.left;
}
int i=0;
while(!sk.isEmpty()){
TreeNode q=new TreeNode(0);
q=(TreeNode)sk.pop();
i++;
if(i==k) return q.val;
if(q.right!=null) {
p=q.right;
sk.push(p);
while(p.left!=null){
sk.push(p.left);
p=p.left;
}
}
}
return 0;
}
}

原题题目:https://leetcode.com/problems/kth-smallest-element-in-a-bst/


内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签:  Leetcode BST