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

Find Subarrays With Equal Sum

Difficulty: Easy


Problem Description

Given a 0-indexed integer array nums, determine whether there exist two subarrays of length 2 with equal sum. Note that the two subarrays must begin at different indices. Return true if these subarrays exist, and false otherwise.

Key Insights

  • A subarray is a contiguous sequence of elements within an array.
  • We only need to check pairs of adjacent elements to calculate their sums.
  • Using a hash table (or dictionary) allows us to store and check for duplicate sums efficiently.

Space and Time Complexity

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

Solution

To solve the problem, we iterate through the array and calculate the sum of each subarray of length 2. We store each sum in a hash table (or dictionary) and check if the sum already exists in the table. If it does, we have found two subarrays with equal sums and can return true. If we finish the loop without finding duplicates, we return false.

Code Solutions

def findSubarrays(nums):
    sum_map = {}
    for i in range(len(nums) - 1):
        subarray_sum = nums[i] + nums[i + 1]
        if subarray_sum in sum_map:
            return True
        sum_map[subarray_sum] = True
    return False
← Back to All Questions