We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Maximum Subsequence Score

Difficulty: Medium


Problem Description

You are given two 0-indexed integer arrays nums1 and nums2 of equal length n and a positive integer k. You must choose a subsequence of indices from nums1 of length k. For chosen indices i_0, i_1, ..., i_{k - 1}, your score is defined as the sum of the selected elements from nums1 multiplied with the minimum of the selected elements from nums2. Return the maximum possible score.


Key Insights

  • The problem involves selecting a subsequence of length k from nums1.
  • The score is calculated by summing the selected elements from nums1 and multiplying by the minimum value from the corresponding indices in nums2.
  • A greedy approach can be employed to maximize the score by selecting the largest elements from nums1 while ensuring that the minimum value from nums2 is maximized.

Space and Time Complexity

Time Complexity: O(n log n)
Space Complexity: O(n)


Solution

To solve the problem, we can use a greedy algorithm combined with a heap (priority queue). The steps are as follows:

  1. Pair each element in nums1 with its corresponding element in nums2.
  2. Sort the pairs based on the values in nums2 in descending order. This ensures that we can always consider the largest minimum values first.
  3. Use a min-heap to keep track of the largest k elements from nums1 as we iterate through the sorted pairs.
  4. For each element, if the heap size exceeds k, remove the smallest element (to maintain the size).
  5. Calculate the score using the sum of the elements in the heap multiplied by the current nums2 value.
  6. Keep track of the maximum score encountered.

This approach effectively finds the optimal subsequence while ensuring the minimum of nums2 is as high as possible.


Code Solutions

import heapq

def maxSubsequenceScore(nums1, nums2, k):
    # Pair nums1 with nums2 and sort by nums2
    paired = sorted(zip(nums1, nums2), key=lambda x: x[1], reverse=True)
    
    max_score = 0
    current_sum = 0
    min_heap = []
    
    for a1, a2 in paired:
        heapq.heappush(min_heap, a1)
        current_sum += a1
        
        # If we exceed k elements, pop the smallest from the heap
        if len(min_heap) > k:
            current_sum -= heapq.heappop(min_heap)
        
        # If we have exactly k elements, calculate the score
        if len(min_heap) == k:
            max_score = max(max_score, current_sum * a2)
    
    return max_score
← Back to All Questions