题解 | #二叉树之寻找第k大# 二叉搜索树
二叉树之寻找第k大
https://www.nowcoder.com/practice/8e5f73fa3f1a407eb7d0b0d7a105805e
知识点
二叉搜索树
思路
求二叉搜索树的第k大值。二叉搜索树的中序遍历是递增序列,我们可以稍作修改,先遍历右子树,再根节点,再左子树,即可得到递减序列。当遍历的节点数到达k时,更新答案并及时剪枝。
时间复杂度
由于及时剪枝,时间复杂度为
AC code (C++)
/** * struct TreeNode { * int val; * struct TreeNode *left; * struct TreeNode *right; * TreeNode(int x) : val(x), left(nullptr), right(nullptr) {} * }; */ class Solution { public: /** * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可 * * * @param root TreeNode类 * @param k int整型 * @return int整型 */ int kthLargest(TreeNode* root, int k) { int cnt = 0; int res = 0; function<void(TreeNode*)> dfs = [&](TreeNode* root) { if (!root or cnt >= k) return; dfs(root->right); if (++ cnt == k) { res = root->val; return; } dfs(root->left); }; dfs(root); return res; } };