package com.算法专练.力扣.按公因数计算最大组件大小;
import java.util.Arrays;
/**
* @author xnl
* @Description:
* @date: 2022/7/30 21:33
*/
public class Solution {
public static void main(String[] args) {
Solution solution = new Solution();
}
public int largestComponentSize(int[] nums) {
int m = Arrays.stream(nums).max().getAsInt();
Union union = new Union(m + 1);
for (int num : nums){
for (int i = 2; i * i <= num; i++){
if (num % i == 0){
union.union(num, i);
union.union(num, num / i);
}
}
}
int[] counts = new int[m + 1];
int ans = 0;
for (int num : nums){
int root = union.find(num);
counts[root]++;
ans = Math.max(ans, counts[root]);
}
return ans;
}
}
class Union{
int[] parent;
int[] rank;
public Union (int n){
// 并查集初始化
parent = new int[n];
for (int i = 0; i < n; i++){
parent[i] = i;
}
rank= new int[n];
}
// 按秩合并
public void union(int x, int y){
int rootx = find(x);
int rooty = find(y);
if (rootx != rooty){
if (rank[rootx] > rank[rooty]){
parent[rooty] = rootx;
} else if (rank[rootx] < rank[rooty]){
parent[rootx] = rooty;
} else {
parent[rooty] = rootx;
rank[rootx] ++;
}
}
}
// 普通合并
public void union2(int x, int y){
parent[find(x)] = find(y);
}
public int find(int x){
if (parent[x] != x){
parent[x] = find(parent[x]);
}
return parent[x];
}
}
力扣: 按公因数计算最大组件大小
最新推荐文章于 2024-11-04 12:20:00 发布
该博客主要介绍了一种计算最大组件大小的算法,通过并查集数据结构解决。代码中,首先找出数组中的最大值,然后遍历数组中的每个元素,找到其所有因数,并使用并查集进行合并。最终返回各个组件大小的最大值。算法适用于处理包含公因数的整数集合问题。
摘要由CSDN通过智能技术生成