Given two integer arrays sorted in ascending order and an integer k. Definesum = a + b, where_a_is an element from the first array and_b_is an element from the second one. Find the_k_th smallest sum out of all possible sums.
public int kthSmallestSum(int[] A, int[] B, int k) {
if (A == null || B == null || k < 0) {
return Integer.MIN_VALUE;
}
if (A.length == 0 && B.length == 0) {
return Integer.MIN_VALUE;
} else if (A.length == 0 && B.length > 0) {
return B[k];
} else if (A.length > 0 && B.length == 0) {
return A[k];
}
Queue<Loc> pq = new PriorityQueue<>();
HashSet<Loc> visited = new HashSet<>();
LinkedList<Integer> res = new LinkedList<>();
Loc first = new Loc(0, 0, A[0] + B[0]);
pq.offer(first);
visited.add(first);
while (res.size() < k) {
Loc tmp = pq.poll();
res.add(tmp.val);
int nextI = tmp.i + 1;
int nextJ = tmp.j + 1;
if (nextI < A.length) {
Loc next1 = new Loc(nextI, tmp.j, A[nextI] + B[tmp.j]);
if (!visited.contains(next1)) {
pq.offer(next1);
visited.add(next1);
}
}
if (nextJ < B.length) {
Loc next2 = new Loc(tmp.i, nextJ, A[tmp.i] + B[nextJ]);
if (!visited.contains(next2)) {
pq.offer(next2);
visited.add(next2);
}
}
}
return res.getLast();
}
class Loc implements Comparable<Loc> {
int i;
int j;
int val;
public Loc(int iLoc, int jLoc, int v) {
i = iLoc;
j = jLoc;
val = v;
}
public int compareTo(Loc o) {
return val - o.val;
}
@Override
public String toString() {
return String.valueOf(val);
}
@Override
public boolean equals(Object obj) {
if (obj instanceof Loc) {
Loc tmp = (Loc) obj;
return i == tmp.i && j == tmp.j && val == tmp.val;
}
return false;
}
@Override
public int hashCode() {
return Objects.hash(i, j, val);
}
}