使用 BFS 找到从 s 到 t 的最昂贵路径
Find the most expensive path from s to t using BFS
在给定的图中 G=(V,E)
每条边都有一个成本 c(e)
。我们有一个起始节点 s 和一个目标节点 t。我们如何使用以下 BFS 算法找到从 s 到 t 的边数最少的最昂贵路径?
BFS(G,s):
foreach v in V do
color[v] <- white; parent[v] <- nil
color[s] <- grey; parent[s] <- s
BFS-Visit(s)
BFS-Visit(u):
Q <- empty queue
Enqueue(Q,u)
while Q != empty do
v <- Dequeue(Q)
foreach w in Adj[v] do
if color[w] white then
color[w] <- grey
parent[w] <- v
Enqueue(Q,w)
color[v] <- black
BFS 的属性 是距离源d
处的所有节点的集合被认为恰好在距离d+1
处的所有节点的集合之前。因此,即使节点为灰色,您也必须更新 "most expensive path":
BFS(G,s):
foreach v in V do
color[v] <- white; parent[v] <- nil; mesp[v] <- -inf
# mesp[v]: most expensive shortest path from s to v
color[s] <- grey; parent[s] <- s; mesp[s] <- 0
BFS-Visit(s)
BFS-Visit(u):
Q <- empty queue
Enqueue(Q,u)
while Q = empty do
v <- Dequeue(Q)
foreach w in Adj[v] do
if color[w] != black and mesp[v] + c(v, w) > mesp[w]:
color[w] <- grey
mesp[w] = mesp[v] + c(v, w)
parent[w] <- v
Enqueue(Q,w)
color[v] <- black
在给定的图中 G=(V,E)
每条边都有一个成本 c(e)
。我们有一个起始节点 s 和一个目标节点 t。我们如何使用以下 BFS 算法找到从 s 到 t 的边数最少的最昂贵路径?
BFS(G,s):
foreach v in V do
color[v] <- white; parent[v] <- nil
color[s] <- grey; parent[s] <- s
BFS-Visit(s)
BFS-Visit(u):
Q <- empty queue
Enqueue(Q,u)
while Q != empty do
v <- Dequeue(Q)
foreach w in Adj[v] do
if color[w] white then
color[w] <- grey
parent[w] <- v
Enqueue(Q,w)
color[v] <- black
BFS 的属性 是距离源d
处的所有节点的集合被认为恰好在距离d+1
处的所有节点的集合之前。因此,即使节点为灰色,您也必须更新 "most expensive path":
BFS(G,s):
foreach v in V do
color[v] <- white; parent[v] <- nil; mesp[v] <- -inf
# mesp[v]: most expensive shortest path from s to v
color[s] <- grey; parent[s] <- s; mesp[s] <- 0
BFS-Visit(s)
BFS-Visit(u):
Q <- empty queue
Enqueue(Q,u)
while Q = empty do
v <- Dequeue(Q)
foreach w in Adj[v] do
if color[w] != black and mesp[v] + c(v, w) > mesp[w]:
color[w] <- grey
mesp[w] = mesp[v] + c(v, w)
parent[w] <- v
Enqueue(Q,w)
color[v] <- black