Problem Description
Given an integer array nums
and an integer k
, return the number of subarrays of nums
where the greatest common divisor of the subarray's elements is k
. A subarray is a contiguous non-empty sequence of elements within an array.
Key Insights
- A subarray's GCD can only be equal to
k
if all elements in that subarray are multiples ofk
. - We can simplify the problem by dividing all elements in
nums
byk
and counting the subarrays with a GCD of 1 in the transformed array. - To find the subarrays with a GCD of 1, we can use the Euclidean algorithm and maintain a running GCD as we expand the subarray.
Space and Time Complexity
Time Complexity: O(n^2) - We may need to check all pairs of start and end indices for subarrays. Space Complexity: O(1) - No additional space is used that scales with input size.
Solution
To solve the problem, we will:
- Traverse the array to identify subarrays whose elements are all multiples of
k
. - For each valid starting index of a subarray, expand the subarray and compute the GCD of its elements.
- Count how many times the GCD equals 1 for those subarrays.
- Return the total count of subarrays where the GCD equals
k
.