给定整数数组 nums 和整数 k,请返回数组中第 k 个最大的元素。
请注意,你需要找的是数组排序后的第 k 个最大的元素,而不是第 k 个不同的元素。
示例 1:
输入: [3,2,1,5,6,4] 和 k = 2
输出: 5
示例 2:
输入: [3,2,3,1,2,4,5,5,6] 和 k = 4
输出: 4
提示:
1 <= k <= nums.length <= 104
-104 <= nums[i] <= 104
class Solution {
int[] nums;
public int findKthLargest(int[] nums, int k) {
this.nums = nums;
int n = nums.length;
return quick_sort(nums, 0, n - 1, n - k + 1);
}
public int quick_sort(int[] nums, int l, int r, int k){
if (l >= r) return nums[l];
int x = nums[l + r >> 1];
int i = l - 1, j = r + 1;
while (i < j) {
do i ++ ; while (nums[i] < x);
do j -- ; while (nums[j] > x);
if (i < j) {
int tem = nums[i];
nums[i] = nums[j];
nums[j] = tem;
}
}
if (j - l + 1 >= k) return quick_sort(nums, l, j, k);
else return quick_sort(nums, j + 1, r, k - (j - l + 1));
}
}