-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathp11.java
45 lines (39 loc) · 1.14 KB
/
p11.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
/*Given an array arr[] and an integer K where K is smaller than size of array, the task is to find the Kth smallest element in the given array. It is given that all array elements are distinct.
Example 1:
Input:
N = 6
arr[] = 7 10 4 3 20 15
K = 3
Output : 7
Explanation :
3rd smallest element in the given
array is 7.
Example 2:
Input:
N = 5
arr[] = 7 10 4 20 15
K = 4
Output : 15
Explanation :
4th smallest element in the given
array is 15.
Your Task:
You don't have to read input or print anything. Your task is to complete the function kthSmallest() which takes the array arr[], integers l and r denoting the starting and ending index of the array and an integer K as input and returns the Kth smallest element.
Expected Time Complexity: O(n)
Expected Auxiliary Space: O(log(n))
Constraints:
1 <= N <= 105
1 <= arr[i] <= 105
1 <= K <= N*/
class Solution{
public static int kthSmallest(int[] arr, int l, int r, int k) {
PriorityQueue<Integer> p=new PriorityQueue<>();
for(int i=0;i<arr.length;i++){
p.add(arr[i]);
}
for(int i=0;i<k-1;i++){
p.poll();
}
return p.peek();
}
}