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

Split the Array

Difficulty: Easy


Problem Description

You are given an integer array nums of even length. You have to split the array into two parts nums1 and nums2 such that:

  • nums1.length == nums2.length == nums.length / 2.
  • nums1 should contain distinct elements.
  • nums2 should also contain distinct elements.

Return true if it is possible to split the array, and false otherwise.

Key Insights

  • The array must be split into two equal halves.
  • Each half must consist of distinct elements.
  • The maximum number of distinct elements available is limited by the range of numbers in nums.

Space and Time Complexity

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

Solution

To determine if the array can be split into two parts with distinct elements, we can follow these steps:

  1. Count the frequency of each element in the array using a hash table.
  2. Check how many distinct elements are present.
  3. If the number of distinct elements is at least half the length of the array, it is possible to split the array as required; otherwise, it is not.

Code Solutions

def can_split_array(nums):
    # Create a set to store distinct elements
    distinct_elements = set(nums)
    
    # Calculate the required number of distinct elements for each half
    required_distinct_count = len(nums) // 2
    
    # Check if the number of distinct elements meets the requirement
    return len(distinct_elements) >= required_distinct_count
← Back to All Questions