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

Largest Divisible Subset

Difficulty: Medium


Problem Description

Given a set of distinct positive integers nums, return the largest subset answer such that every pair (answer[i], answer[j]) of elements in this subset satisfies:

  • answer[i] % answer[j] == 0, or
  • answer[j] % answer[i] == 0

If there are multiple solutions, return any of them.


Key Insights

  • The problem requires finding subsets where elements are mutually divisible.
  • Sorting the array helps to easily check divisibility relationships.
  • Dynamic programming can be used to build up the largest divisible subset incrementally.

Space and Time Complexity

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


Solution

To solve this problem, we can use a dynamic programming approach. We will:

  1. Sort the input array nums. This allows us to only check for divisibility in one direction (smaller to larger).
  2. Use a dynamic programming array dp where dp[i] represents the size of the largest divisible subset that ends with nums[i].
  3. Maintain an array prev to track the previous index of the element that is part of the largest divisible subset for reconstruction purposes.
  4. Iterate through each number, checking all previous numbers to see if they can form a valid divisible pair. Update the dp and prev arrays accordingly.
  5. Finally, reconstruct the largest subset based on the indices stored in prev.

Code Solutions

def largestDivisibleSubset(nums):
    if not nums:
        return []

    nums.sort()
    n = len(nums)
    dp = [1] * n
    prev = [-1] * n
    max_size = 0
    max_index = 0

    for i in range(n):
        for j in range(i):
            if nums[i] % nums[j] == 0:
                if dp[j] + 1 > dp[i]:
                    dp[i] = dp[j] + 1
                    prev[i] = j
        if dp[i] > max_size:
            max_size = dp[i]
            max_index = i

    answer = []
    while max_index != -1:
        answer.append(nums[max_index])
        max_index = prev[max_index]

    return answer[::-1]
← Back to All Questions