Graph Valid Tree(bfs&uinion find)
Graph Valid Tree
Givennnodes labeled from0ton - 1and a list ofundirectededges (each edge is a pair of nodes), write a function to check whether these edges make up a valid tree.
Example
Givenn = 5andedges = [[0, 1], [0, 2], [0, 3], [1, 4]], return true.
Givenn = 5andedges = [[0, 1], [1, 2], [2, 3], [1, 3], [1, 4]], return false.
Notice
You can assume that no duplicate edges will appear in edges. Since all edges areundirected,[0, 1]is the same as[1, 0]and thus will not appear together in edges.
分析
图的话最后判断是否所有点都可达 len(set)==n
class Solution:
"""
@param n: An integer
@param edges: a list of undirected edges
@return: true if it's a valid tree, or false
"""
def validTree(self, n, edges):
# write your code here
if len(edges) != n-1:
return False
graph = {i:[] for i in range(n)}
# indegree = {i:0 for i in range(n)}
for e in edges:
graph[e[0]].append(e[1])
graph[e[1]].append(e[0])
# indegree[e[1]] += 1
q = [0]
ss = {0}
while q:
cur = q.pop(0)
for nn in graph[cur]:
if nn not in ss:
ss.add(nn)
q.append(nn)
return len(ss) == n并查集的话已加入的都变成一团,再加入的旧点就该返回错误(连旧点算有环)
可以看最后size是不是1或者每个edge的两端是否是共同祖先(已出现过
Last updated
Was this helpful?