作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
这是我的 bfs 算法。我想存储我在字段边中遍历的边数,但我不知道在哪里放置变量以便为每个边添加一个。我不断得到太长的答案,所以我认为这比简单地增加边缘更难。
应该注意的是,这应该只计算沿真实路径的边,而不是额外的边。
public int distance(Vertex x, Vertex y){
Queue<Vertex> search = new LinkedList<Vertex>();
search.add(x);
x.visited = true;
while(!search.isEmpty()){
Vertex t = search.poll();
if(t == y){
return edges;
}
for(Vertex n: t.neighbours){
if(!n.visited){
n.visited = true;
search.add(n);
}
}
System.out.println(search + " " + t);
}
return edges;
}
import java.util.ArrayList;
public class Vertex {
public static char currentID = 'a';
protected ArrayList<Vertex> neighbours;
protected char id;
protected boolean visited = false;
protected Vertex cameFrom = null;
public Vertex(){
neighbours = new ArrayList<Vertex>();
id = currentID;
currentID++;
Graph.all.add(this);
}
public void addNeighbour(Vertex x){
int a;
while(x == this){
a = (int) (Math.random()*(Graph.all.size()));
x = Graph.all.get(a);
}
if(!(neighbours.contains(x))){
neighbours.add(x);
x.addNeighbour(this);
//System.out.println(this + " Linking to " + x);
}
}
public void printNeighbours(){
System.out.println("The neighbours of: " + id + " are: " + neighbours);
}
public String toString(){
return id + "";
}
}
最佳答案
在您的 Vertex
类,创建一个 Vertex cameFrom
您设置为指向 Vertex
的字段你来自那个节点被访问时。您甚至可以更换您的 boolean visited
字段(如果是 null
Vertex
还没有被访问过)。
然后,当你找到 Vertex y
只需按照指示返回 Vertex x
边走边数它需要多少步。
如果您不想更改您的 Vertex
类,然后只保留一个 Map<Vertex,Vertex>
在您的搜索过程中,它存储从您正在访问的顶点到您来自的顶点的映射。当你走到尽头时,你可以以同样的方式沿着这条路走到起点。
也许是这样的:
public int distance(Vertex x, Vertex y){
Queue<Vertex> search = new LinkedList<Vertex>();
search.add(x);
while(!search.isEmpty()){
Vertex t = search.poll();
if(t == y){
return pathLength( t );
}
for(Vertex n: t.neighbours){
if(n.cameFrom == null || n != x){
n.cameFrom = t;
search.add(n);
}
}
System.out.println(search + " " + t);
}
return -1;
}
public int pathLength( Vertex v )
{
int path = 0;
while ( v.cameFrom != null )
{
v = v.cameFrom;
path++;
}
return path;
}
关于java - 计算广度优先搜索中遍历的边数?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/10060144/
我是一名优秀的程序员,十分优秀!