-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathNo215KthLargestElementInAnArray.java
69 lines (61 loc) · 1.7 KB
/
No215KthLargestElementInAnArray.java
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
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
package com.wzx.leetcode;
import java.util.PriorityQueue;
/**
* @author wzx
* @see <a href="https://leetcode.com/problems/kth-largest-element-in-an-array/">https://leetcode.com/problems/kth-largest-element-in-an-array/</a>
*/
public class No215KthLargestElementInAnArray {
/**
* 堆排序
* <p>
* time: O(nlogk)
* space: O(k)
*/
public int findKthLargest1(int[] nums, int k) {
PriorityQueue<Integer> queue = new PriorityQueue<>();
for (int num : nums) {
queue.add(num);
// 堆中只留k个元素, 较小的都删除
if (queue.size() > k) queue.remove();
}
return queue.peek();
}
/**
* 快排思想
* <p>
* time: O(n)
* space: O(n)
*/
public int findKthLargest2(int[] nums, int k) {
helper(nums, 0, nums.length - 1, k);
return nums[k - 1];
}
private void helper(int[] nums, int start, int end, int k) {
// 快排
if (start >= end) return;
int pivot = (end - start) / 2 + start;
int record = nums[pivot];
int left = start, right = end;
nums[pivot] = nums[right];
while (left < right) {
while (left < right && nums[left] > record) left++;
if (left < right) {
nums[right--] = nums[left];
}
while (left < right && nums[right] < record) right--;
if (left < right) {
nums[left++] = nums[right];
}
}
nums[left] = record;
// 根据轴值左侧个数递归排序
int leftNum = left - start + 1;
if (leftNum > k) {
// 继续划分左侧
helper(nums, start, left - 1, k);
} else if (leftNum < k) {
// 已经提取出来前leftNum个元素, 继续从右侧提取k-leftNum
helper(nums, left + 1, end, k - leftNum);
}
}
}