Problem Description
You are given an integer array of unique positive integers nums
. Consider the following graph:
- There are
nums.length
nodes, labelednums[0]
tonums[nums.length - 1]
, - There is an undirected edge between
nums[i]
andnums[j]
ifnums[i]
andnums[j]
share a common factor greater than1
.
Return the size of the largest connected component in the graph.
Key Insights
- The problem can be visualized as a graph where each number is a node and edges are formed based on the common factors.
- The largest connected component can be found using a union-find data structure to group nodes that are connected through common factors.
- Each number can be represented by its prime factors, which can be used to connect nodes in the graph.
- The problem requires efficient factorization and union operations to find the sizes of connected components.
Space and Time Complexity
Time Complexity: O(n log n) - where n is the number of elements in nums
, primarily due to the factorization process.
Space Complexity: O(n) - for storing the union-find structure and additional storage for factors.
Solution
To solve the problem, we can use the Union-Find (Disjoint Set Union) algorithm with path compression and union by rank. We will iterate through each number in nums
, factor it to find its prime factors, and union the indices of the numbers that share the same prime factors. Finally, we will count the sizes of each component to find the largest one.