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

Find N Unique Integers Sum up to Zero

Difficulty: Easy


Problem Description

Given an integer n, return any array containing n unique integers such that they add up to 0.


Key Insights

  • The sum of integers can be balanced by using both positive and negative values.
  • For any integer n, we can generate unique integers ranging from -(n//2) to (n//2) if n is even, or from -(n//2) to (n//2) excluding zero if n is odd.
  • For n = 1, the only unique integer that sums to zero is 0.

Space and Time Complexity

Time Complexity: O(n) - We need to generate n integers. Space Complexity: O(n) - We store n integers in the resulting array.


Solution

To solve the problem, we can use a simple mathematical approach to generate unique integers. The algorithm involves creating a list of integers from -(n//2) to (n//2) while ensuring that we avoid including zero if n is odd. This guarantees that the integers are unique and their sum equals zero.


Code Solutions

def sumZero(n):
    return [i for i in range(-n//2, n//2 + 1) if i != 0] if n % 2 == 0 else [i for i in range(-n//2, n//2 + 1)]

# Example usage:
print(sumZero(5))  # Output: [1, 0, -1, 2, -2]
← Back to All Questions