我正在尝试为非加权图和一些问题/顾虑实现邻接表。我意识到我需要一个链接列表来存储边缘,并需要一个数组来存储顶点。目前,我有一个(basic)Node类和一个Graph类,该类负责将边缘添加到特定顶点。但是,这并未明确定义边的链表。我想做一个DFS和BFS,想知道我应该怎么做?我是否需要更改现在已经包含这些方法的代码。帮助将不胜感激。
// Inside the graph class
public boolean insertNode(NodeRecord n) {
int j;
if (isFull()) return false;
for (j=0; j<arraySize; j++)
if (node[j]==null)
break;
node[j] = new Node(n);
graphSize++;
return true;
}
public boolean insertEdge(int nodeID, EdgeRecord e) {
int j;
for (j=0; j<arraySize; j++)
if (nodeID==((NodeRecord) node[j].item).getID())
break;
if (j>=arraySize) return false;
node[j].next = new Node(e, node[j].next);
return true;
}
// inside the node class
class Node<E> {
E item;
Node<E> next;
Node(E e) {
item = e;
next = null;
}
Node(E e, Node<E> newNext) {
item = e;
next = newNext;
}
Node(Node<E> n) { // copy constructor
item = n.item;
next = n.next;
}
}
public static void depthFirst(){
for(int i=0;i<mygraph.arraySize;i++){
Node counter =mygraph.node[i];
while(counter!=null){
System.out.println(" " +counter.item);
counter= counter.next;
}
}
}
最佳答案
有关代码的一些注意事项:
您使用固定大小的数组来存储节点。切换到在添加新节点时自动增长的arraylist。
我是否正确理解您可能只有一条边离开节点(next
)?您还应该在此处使用列表。
只要您的图形没有定向,请注意从A到B的边也将从B到A,因此您必须将其添加到节点A和节点B的边列表中。
关于java - 图的邻接表的实现,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/5769228/