题目描述:用以太网线缆将 n 台计算机连接成一个网络,计算机的编号从 0 到 n-1。线缆用 connections 表示,其中 connections[i] = [a, b] 连接了计算机 a 和 b。
网络中的任何一台计算机都可以通过网络直接或者间接访问同一个网络中其他任意一台计算机。
给你这个计算机网络的初始布线 connections,你可以拔开任意两台直连计算机之间的线缆,并用它连接一对未直连的计算机。请你计算并返回使所有计算机都连通所需的最少操作次数。如果不可能,则返回 -1 。
解题思路:通过并查集对图中的计算机进行合并,找到多余的线和连通域的个数,即可得到最后结果
class Solution:
def makeConnected(self, n: int, connections: List[List[int]]) -> int:
father = list(range(n))
moreline = 0
def find(x):
root = x
while(root != father[root]):
root = father[root]
while(x != root):
origin_r = father[x]
father[x] = root
x = origin_r
return root
def union(x, y):
rx, ry = find(x), find(y)
if rx == ry:
return True
father[rx] = ry
return False
for c1, c2 in connections:
if union(c1, c2):
moreline += 1
numop = len(set([find(f) for f in father])) - 1
return numop if numop <= moreline else -1