有一个具有 n
个顶点的 双向 图,其中每个顶点标记从 0
到 n - 1
(包含 0
和 n - 1
)。图中的边用一个二维整数数组 edges
表示,其中 edges[i] = [ui, vi]
表示顶点 ui
和顶点 vi
之间的双向边。 每个顶点对由 最多一条 边连接,并且没有顶点存在与自身相连的边。
请你确定是否存在从顶点 start
开始,到顶点 end
结束的 有效路径 。
给你数组 edges
和整数 n
、start
和end
,如果从 start
到 end
存在 有效路径 ,则返回 true
,否则返回 false
。
示例 1:
输入:n = 3, edges = [[0,1],[1,2],[2,0]], start = 0, end = 2 输出:true 解释:存在由顶点 0 到顶点 2 的路径: - 0 → 1 → 2 - 0 → 2
示例 2:
输入:n = 6, edges = [[0,1],[0,2],[3,5],[5,4],[4,3]], start = 0, end = 5 输出:false 解释:不存在由顶点 0 到顶点 5 的路径.
提示:
1 <= n <= 2 * 105
0 <= edges.length <= 2 * 105
edges[i].length == 2
0 <= ui, vi <= n - 1
ui != vi
0 <= start, end <= n - 1
- 不存在双向边
- 不存在指向顶点自身的边
方法一:DFS
方法二:并查集
class Solution:
def validPath(self, n: int, edges: List[List[int]], start: int, end: int) -> bool:
def dfs(u):
nonlocal ans
if ans or u in vis:
return
vis.add(u)
if u == end:
ans = True
return
for v in g[u]:
dfs(v)
g = defaultdict(list)
vis = set()
ans = False
for u, v in edges:
g[u].append(v)
g[v].append(u)
dfs(start)
return ans
class Solution:
def validPath(self, n: int, edges: List[List[int]], source: int, destination: int) -> bool:
def find(x):
if p[x] != x:
p[x] = find(p[x])
return p[x]
p = list(range(n))
for u, v in edges:
p[find(u)] = find(v)
return find(source) == find(destination)
class Solution {
private int[] p;
public boolean validPath(int n, int[][] edges, int source, int destination) {
p = new int[n];
for (int i = 0; i < n; ++i) {
p[i] = i;
}
for (int[] e : edges) {
p[find(e[0])] = find(e[1]);
}
return find(source) == find(destination);
}
private int find(int x) {
if (p[x] != x) {
p[x] = find(p[x]);
}
return p[x];
}
}
class Solution {
public:
vector<int> p;
bool validPath(int n, vector<vector<int>>& edges, int source, int destination) {
p.resize(n);
for (int i = 0; i < n; ++i) p[i] = i;
for (auto& e : edges) p[find(e[0])] = find(e[1]);
return find(source) == find(destination);
}
int find(int x) {
if (p[x] != x) p[x] = find(p[x]);
return p[x];
}
};
func validPath(n int, edges [][]int, source int, destination int) bool {
p := make([]int, n)
for i := range p {
p[i] = i
}
var find func(x int) int
find = func(x int) int {
if p[x] != x {
p[x] = find(p[x])
}
return p[x]
}
for _, e := range edges {
p[find(e[0])] = find(e[1])
}
return find(source) == find(destination)
}