mirror of
https://gitlab.com/mfocko/LeetCode.git
synced 2024-11-10 00:09:06 +01:00
28 lines
447 B
Java
28 lines
447 B
Java
|
import java.util.PriorityQueue;
|
||
|
|
||
|
class KthLargest {
|
||
|
int k;
|
||
|
private PriorityQueue<Integer> heap;
|
||
|
|
||
|
public KthLargest(int k, int[] nums) {
|
||
|
this.k = k;
|
||
|
heap = new PriorityQueue<>(k + 1);
|
||
|
|
||
|
for (var num : nums) {
|
||
|
add(num);
|
||
|
}
|
||
|
}
|
||
|
|
||
|
public int add(int val) {
|
||
|
if (heap.size() < k || heap.peek() < val) {
|
||
|
heap.add(val);
|
||
|
|
||
|
if (heap.size() > k) {
|
||
|
heap.remove();
|
||
|
}
|
||
|
}
|
||
|
|
||
|
return heap.peek();
|
||
|
}
|
||
|
}
|