我有一个使用列表表示(HashMap<Vertex, ArrayList<Vertex>>
)的有向图数据结构;源顶点作为键,源顶点的ArrayList作为值。深度优先搜索和dfs循环用于遍历图形以查找顶点的执行顺序。
执行顺序由setLabel(int i)
设置为Vertex对象的标签,并且仅String name
字段用于生成hashcode
。
我的问题是,在dfs
完成后,当我遍历HashMap [graph.keySet()
]的键时,有仍然很少的顶点没有标记,但是当我迭代探测到的HashSet<Vertex>
集时,所有可能的顶点都被标记(准确)。
这里可能发生什么? (我只能使用HashMap来检索顶点的标签)
注意:我认为这与将可变对象用作HashMaps中的键有关。如果没有,请纠正我。
/**
* Recursive depth-first search
* @param graph HashMap<Vertex,ArrayList> (list representation)
* @param start starting Vertex
*/
public void dfsR(HashMap<Vertex, ArrayList<Vertex>> graph, Vertex start) {
this.explored.add(start); //a HashSet<Vertex>
ArrayList<Vertex> list = graph.get(start);
if (list != null) {
for (Vertex v : list) {
if (!this.explored.contains(v)) {
this.dfsR(graph, v);
}
}
}
/* First pass-Execution order */
if (!this.secondPass) {
start.setLabel(++this.label);
}
}
/**
* Run DFS on every vertex of the Graph
* @param graph HashMap<Vertex,ArrayList<Vertex>> (list representation)
*/
private void dfsLoop(HashMap<Vertex, ArrayList> graph) {
this.secondPass = false;
this.explored.clear();
this.label = 0;
for (Vertex vertex : graph.keySet()) {
if (!this.explored.contains(vertex)) {
this.dfsR(graph, vertex); /* Recursive dfs */
}
}
}
public class Vertex {
private final String name;
private int label;
public Vertex(String name) {
this.name = name;
this.label = -1;
}
public Vertex(Integer name) {
this.name = String.valueOf(name);
this.label = -1;
}
public String getName() {
return name;
}
/**
* Value(Label) obtained from Topological Ordering
* @param label integer value of the relevant position
*/
public void setLabel(int label){
this.label = label;
}
/**
* @return the Label obtained from the Topological ordering
*/
public int getLabel(){
return this.label ;
}
@Override
public String toString() {
return name;
}
@Override
public boolean equals(Object o) {
if(o == null){
return false;
}
if (o instanceof Vertex) {
Vertex v = (Vertex) o;
return this.name.equals(v.getName());
}
return false;
}
@Override
public int hashCode() {
int hash = 3;
hash = 89 * hash + this.name.hashCode();
return hash;
}}
答案 0 :(得分:0)
问题几乎肯定与secondPass
变量的管理有关,因为这是控制是否设置标签的原因:
if (!this.secondPass) {
start.setLabel(++this.label);
}
您提供的代码未显示将其设置为true的位置。