C解法
更新中
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
JS解法
给定一个图的邻接矩阵,我们需要找出图中最大的连通分量的大小。每个节点可以通过边与其他节点相连,连通分量是指一组相互连接的节点。
并查集算法:
使用并查集(Union-Find)算法来解决连通分量的合并与查找问题。并查集是一种高效的数据结构,可以用于解决动态连通性问题。在这个问题中,我们将图中的节点作为并查集的元素,边作为并查集的连接操作。
算法步骤:
初始化并查集:每个节点的父节点初始化为自身。
遍历邻接矩阵:通过双重循环检查所有的边。如果两个节点之间有边,就将它们合并在一起。
统计每个连通分量的大小:通过并查集的 find 操作找到每个节点的根节点,并计算不同根节点的连通分量大小。
返回最大连通分量的大小。
时间复杂度:
由于每个合并和查找操作的时间复杂度是接近常数的(通过路径压缩和按秩合并优化),所以总体时间复杂度为 O(n^2),其中 n 是节点的数量。
const readline = require("readline");
const rl = readline.createInterface({
input: process.stdin,
output: process.stdout,
});
let graphSize;
const inputLines = [];
rl.on("line", (line) => {
inputLines.push(line);
if (inputLines.length === 1) {
graphSize = Number(inputLines[0]);
}
if (graphSize && inputLines.length === graphSize + 1) {
inputLines.shift();
const adjacencyMatrix = parseInput(inputLines);
const result = findLargestComponent(adjacencyMatrix);
console.log(result);
inputLines.length = 0;
}
});
function parseInput(lines) {
return lines.map((line) => line.split(" ").map(Number));
}
function findLargestComponent(matrix) {
const unionFind = new UnionFind(matrix.length);
for (let i = 0; i < matrix.length; i++) {
for (let j = i + 1; j < matrix.length; j++) {
if (matrix[i][j] === 1) {
unionFind.union(i, j);
}
}
}
const componentSize = {};
for (let i = 0; i < matrix.length; i++) {
const root = unionFind.find(unionFind.fa[i]);
componentSize[root] = (componentSize[root] || 0) + 1;
}
return Math.max(...Object.values(componentSize));
}
class UnionFind {
constructor(size) {
this.fa = Array.from({ length: size }, (_, i) => i);
this.count = size;
}
find(x) {
if (x !== this.fa[x]) {
this.fa[x] = this.find(this.fa[x]);
}
return this.fa[x];
}
union(x, y) {
const rootX = this.find(x);
const rootY = this.find(y);
if (rootX !== rootY) {
this.fa[rootY] = rootX;
this.count--;
}
}
}
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
- 22
- 23
- 24
- 25
- 26
- 27
- 28
- 29
- 30
- 31
- 32
- 33
- 34
- 35
- 36
- 37
- 38
- 39
- 40
- 41
- 42
- 43
- 44
- 45
- 46
- 47
- 48
- 49
- 50
- 51
- 52
- 53
- 54
- 55
- 56
- 57
- 58
- 59
- 60
- 61
- 62
- 63
- 64
- 65
- 66
- 67
- 68
- 69
- 70
- 71
- 72
- 73
- 74
- 75
- 76
- 77
- 78
- 79
- 80
- 81
- 82
- 83
注意:
如果发现代码有用例覆盖不到的情况,欢迎反馈!会在第一时间修正,更新。
解题不易,如对您有帮助,欢迎点赞/收藏
评论记录:
回复评论: