import net.datastructures.*; import java.util.Map; import java.util.HashMap; /** * NamedAdjacencyMapGraph.java * Subclass of AdjacencyMapGraph that allows accessing vertices according * to their names. Names are actually anything of the generic type V. * * @author Tom Cormen * * @param generic type for vertices * @param generic type for edges */ public class NamedAdjacencyMapGraph extends AdjacencyMapGraph { // Maintain a correspondence from a vertex name to the Vertex object. Map> vertexMap = new HashMap>(); public NamedAdjacencyMapGraph(boolean directed) { super(directed); } // Overrides the inherited insertVertex method to also insert into the vertexMap. public Vertex insertVertex(V name) { Vertex newVertex = super.insertVertex(name); vertexMap.put(name, newVertex); return newVertex; } // Return the Vertex object corresponding to a name, or null if // no corresponding object. public Vertex getVertex(V name) { return vertexMap.get(name); } // Return true if a Vertex with the name is in the graph. public boolean vertexInGraph(V name) { return vertexMap.containsKey(name); } // Insert an edge based on the names of its vertices. public Edge insertEdge(V uName, V vName, E element) throws IllegalArgumentException { return super.insertEdge(getVertex(uName), getVertex(vName), element); } // Return the edge from uName to vName, or null if they are not adjacent. public Edge getEdge(V uName, V vName) throws IllegalArgumentException { return super.getEdge(getVertex(uName), getVertex(vName)); } }