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

Count the Number of Ideal Arrays

Difficulty: Hard


Problem Description

You are given two integers n and maxValue, which are used to describe an ideal array. An array arr of length n is considered ideal if every arr[i] is a value from 1 to maxValue, and every arr[i] is divisible by arr[i - 1]. Return the number of distinct ideal arrays of length n, modulo 10^9 + 7.


Key Insights

  • Each element in the array must be divisible by the previous element.
  • Arrays can start with any number from 1 to maxValue.
  • The number of distinct ideal arrays can be computed using combinatorial counting based on divisors.

Space and Time Complexity

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


Solution

To solve the problem, we can utilize dynamic programming combined with number theory. We will maintain a count of how many ideal arrays can be formed starting with each number from 1 to maxValue. For each number, we will consider all its multiples up to maxValue and accumulate the counts from the previous step, thus forming valid ideal arrays. The final result will be the sum of all counts for arrays of length n, taken modulo 10^9 + 7.


Code Solutions

MOD = 10**9 + 7

def countIdealArrays(n, maxValue):
    # Initialize dp array where dp[i] will store the number of ideal arrays of length i
    dp = [0] * (n + 1)
    dp[0] = 1  # Base case: 1 way to form an array of length 0

    # Iterate over every possible starting number
    for start in range(1, maxValue + 1):
        # Calculate the number of multiples of 'start'
        multiples_count = 0
        for multiple in range(start, maxValue + 1, start):
            multiples_count += dp[multiple // start]
            multiples_count %= MOD

        # Update dp for all lengths
        for length in range(1, n + 1):
            dp[length] += multiples_count
            dp[length] %= MOD

    return dp[n]
← Back to All Questions