-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathFindKPairsWithSmallestSum.java
97 lines (93 loc) · 2.6 KB
/
FindKPairsWithSmallestSum.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
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
/*https://leetcode.com/problems/find-k-pairs-with-smallest-sums/*/
class Data implements Comparable<Data>
{
int i, j, sum;
Data(int i, int j)
{
this.i = i;
this.j = j;
this.sum = i+j;
}
@Override
public int compareTo(Data d)
{
return d.sum-this.sum;
}
}
class Solution {
public List<List<Integer>> kSmallestPairs(int[] nums1, int[] nums2, int k) {
List<List<Integer>> result = new ArrayList<List<Integer>>();
TreeMap<Integer,Integer> map = new TreeMap<Integer,Integer>();
int i;
Integer key;
for (i = 0; i < nums2.length; ++i)
map.put(nums2[i],i);
boolean flag = true;
PriorityQueue<Data> heap = new PriorityQueue<Data>();
for (int val1 : nums1)
{
key = heap.isEmpty() ? null : map.lowerKey((heap.peek().sum)-val1+1);
if (key == null && heap.size() >= k)
{
if (!flag) continue;
flag = false;
i = nums2.length-1;
}
else if (heap.size() < k) i = nums2.length-1;
else i = map.get(key);
for (; i >= 0; --i)
{
heap.add(new Data(val1,nums2[i]));
if (heap.size() > k)
heap.poll();
}
}
Data d;
while (!heap.isEmpty())
{
List<Integer> list = new ArrayList<Integer>();
d = heap.poll();
list.add(d.i);
list.add(d.j);
result.add(list);
}
return result;
}
}
class Data implements Comparable<Data>
{
int i, j, jIn, sum;
Data(int i, int j, int jIn)
{
this.i = i;
this.j = j;
this.jIn = jIn;
this.sum = i+j;
}
@Override
public int compareTo(Data d)
{
return this.sum-d.sum;
}
}
class Solution {
public List<List<Integer>> kSmallestPairs(int[] nums1, int[] nums2, int k) {
List<List<Integer>> result = new ArrayList<List<Integer>>();
int i;
boolean flag = true;
PriorityQueue<Data> heap = new PriorityQueue<Data>();
for (i = 0; i < nums1.length && i < k; ++i)
heap.add(new Data(nums1[i],nums2[0],0));
Data d;
while (k-- > 0 && !heap.isEmpty())
{
List<Integer> list = new ArrayList<Integer>();
d = heap.poll();
list.add(d.i);
list.add(d.j);
result.add(list);
if (d.jIn < nums2.length-1) heap.add(new Data(d.i,nums2[d.jIn+1],d.jIn+1));
}
return result;
}
}