Problem Description
You are given an integer array nums
. We call a subset of nums
good if its product can be represented as a product of one or more distinct prime numbers. Return the number of different good subsets in nums
modulo 10^9 + 7
.
Key Insights
- A subset is considered good if it contains only distinct prime factors in its product.
- The numbers in
nums
range from 1 to 30, which allows us to utilize the properties of prime factorization effectively. - The number 1 does not contribute to the product of distinct primes, so it can be included in any subset without affecting the "goodness".
- We need to consider the frequency of each number in
nums
since duplicate primes can affect the count of good subsets.
Space and Time Complexity
Time Complexity: O(n + m) where n is the length of nums
and m is the number of distinct primes up to the maximum value in nums
(30).
Space Complexity: O(m) where m is the number of distinct primes up to 30.
Solution
To solve the problem, we can follow these steps:
- Count Frequencies: First, count the frequency of each number in
nums
. - Identify Distinct Primes: Identify all distinct primes up to 30 since these will be our candidates for forming good subsets.
- Subset Calculation: For each distinct prime, calculate the number of good subsets that can be formed using its multiples based on their frequencies.
- Combine Results: Combine the results from all distinct primes while considering subsets formed by including the number 1, which can be included in any combination.
This approach utilizes combinatorial counting, taking advantage of the limited range of numbers and their prime factorization properties.