Description
You are given two 0-indexed integer arrays nums1
and nums2
, each of length n
, and a 1-indexed 2D array queries
where queries[i] = [xi, yi]
.
For the ith
query, find the maximum value of nums1[j] + nums2[j]
among all indices j
(0 <= j < n)
, where nums1[j] >= xi
and nums2[j] >= yi
, or -1 if there is no j
satisfying the constraints.
Return an array answer
where answer[i]
is the answer to the ith
query.
Example 1:
Input: nums1 = [4,3,1,2], nums2 = [2,4,9,5], queries = [[4,1],[1,3],[2,5]] Output: [6,10,7] Explanation: For the 1st queryxi = 4
andyi = 1
, we can select indexj = 0
sincenums1[j] >= 4
andnums2[j] >= 1
. The sumnums1[j] + nums2[j]
is 6, and we can show that 6 is the maximum we can obtain. For the 2nd queryxi = 1
andyi = 3
, we can select indexj = 2
sincenums1[j] >= 1
andnums2[j] >= 3
. The sumnums1[j] + nums2[j]
is 10, and we can show that 10 is the maximum we can obtain. For the 3rd queryxi = 2
andyi = 5
, we can select indexj = 3
sincenums1[j] >= 2
andnums2[j] >= 5
. The sumnums1[j] + nums2[j]
is 7, and we can show that 7 is the maximum we can obtain. Therefore, we return[6,10,7]
.
Example 2:
Input: nums1 = [3,2,5], nums2 = [2,3,4], queries = [[4,4],[3,2],[1,1]]
Output: [9,9,9]
Explanation: For this example, we can use index j = 2
for all the queries since it satisfies the constraints for each query.
Example 3:
Input: nums1 = [2,1], nums2 = [2,3], queries = [[3,3]] Output: [-1] Explanation: There is one query in this example withxi
= 3 andyi
= 3. For every index, j, either nums1[j] <xi
or nums2[j] <yi
. Hence, there is no solution.
Constraints:
nums1.length == nums2.length
n == nums1.length
1 <= n <= 105
1 <= nums1[i], nums2[i] <= 109
1 <= queries.length <= 105
queries[i].length == 2
xi == queries[i][1]
yi == queries[i][2]
1 <= xi, yi <= 109
Solution
Python3
class BIT:
def __init__(self, N: int):
self.stree = [-1] * (N + 1)
def change(self, i, x):
while i < len(self.stree):
self.stree[i] = max(x, self.stree[i])
i += (i & -i)
def query(self, i):
s = -1
while i != 0:
s = max(s, self.stree[i])
i -= (i & -i)
return s
class Solution:
def maximumSumQueries(self, nums1: List[int], nums2: List[int], queries: List[List[int]]) -> List[int]:
N = len(nums1)
Q = len(queries)
ans = [None] * Q
ys = []
for y in nums2:
ys.append(y)
for _, y in queries:
ys.append(y)
ys = list(set(ys))
ys.sort(reverse = 1)
yl = {y : index + 1 for index, y in enumerate(ys)}
ybit = BIT(len(ys))
nqueries = list((x, y, index) for index, (x, y) in sorted(enumerate(queries), key = lambda v : (-v[1][0], v[1][1])))
np = defaultdict(list)
for x, y in zip(nums1, nums2):
np[x].append((0, yl[y], x + y))
for x, y, index in nqueries:
np[x].append((1, yl[y], index))
for k in sorted(np.keys(), reverse = 1):
np[k].sort()
for t, y, v in np[k]:
if t == 0:
ybit.change(y, v)
else:
ans[v] = ybit.query(y)
return ans