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

Reverse Pairs

Difficulty: Hard


Problem Description

Given an integer array nums, return the number of reverse pairs in the array. A reverse pair is a pair (i, j) where 0 <= i < j < nums.length and nums[i] > 2 * nums[j].


Key Insights

  • A brute force approach would involve checking each pair of indices, leading to O(n^2) time complexity.
  • We can utilize a divide-and-conquer strategy, similar to merge sort, to count reverse pairs efficiently.
  • By counting the number of valid pairs during the merge step, we can achieve O(n log n) time complexity.
  • The problem can also be addressed using data structures like Binary Indexed Trees or Segment Trees for dynamic counting.

Space and Time Complexity

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


Solution

To solve the problem efficiently, we can leverage a modified merge sort algorithm. The steps are as follows:

  1. Divide the array into two halves.
  2. Count reverse pairs in each half recursively.
  3. Count the number of reverse pairs that span both halves while merging them back together.
  4. During the merge step, for each element in the left half, we will find how many elements from the right half satisfy the condition nums[i] > 2 * nums[j].
  5. This counting can be done efficiently as both halves are sorted.

Code Solutions

def reversePairs(nums):
    def merge_sort(nums, left, right):
        if left >= right:
            return 0
        mid = (left + right) // 2
        count = merge_sort(nums, left, mid) + merge_sort(nums, mid + 1, right)
        
        # Count reverse pairs
        j = mid + 1
        for i in range(left, mid + 1):
            while j <= right and nums[i] > 2 * nums[j]:
                j += 1
            count += j - (mid + 1)
        
        # Merge step
        nums[left:right + 1] = sorted(nums[left:right + 1])
        return count

    return merge_sort(nums, 0, len(nums) - 1)
← Back to All Questions