我正在处理 Java 中的编码挑战,我的驱动程序从文本文件中读取城市名称和城市之间的里程数。然后,此信息将传递给将填充加权无向图的方法。城市名称是节点,它们之间的里程是权重。我正在编写 Graph 类,并且我正在使用 Linked List 数据类型作为邻接矩阵。
import java.util.LinkedList;
public class WeightedGraph {
static class Edge
{
String origin;
String destination;
int weight;
public Edge(String origin, String destination, int weight)
{
this.origin = origin;
this.destination = destination;
this.weight = weight;
}
}
static class Graph
{
int numVertices;
LinkedList<Edge>[] adjList;
Graph(int numVertices)
{
this.numVertices = numVertices;
adjList = new LinkedList[numVertices];
for(int i = 0; i < numVertices; i++)
{
adjList[i] = new LinkedList<>();
}
}
}
public void addUndirectedEdge(String origin, String destination, int weight)
{
Edge edge = new Edge(origin, destination, weight);
adjList[origin].add(edge);
adjList[destination].add(edge);
}
}
在我正在使用的示例中,节点是编号的,而不是命名的,变量“origin”和“destination”是整数。有人建议我需要获取字符串的索引值并在行中使用它们:
adjList[origin].add(edge);
adjList[destination].add(edge);
在 addUndirectedEdge 方法中。我怎么做?我是否需要将变量“origin”和“domain”声明为整数而不是字符串?