feat(path): implement getFastestPathFromNodes

This commit is contained in:
Paul Alnet 2024-03-25 10:40:57 +01:00
parent 33290ab443
commit f1398ed125

View file

@ -29,14 +29,36 @@ public class Path {
*
* @throws IllegalArgumentException If the list of nodes is not valid, i.e. two
* consecutive nodes in the list are not connected in the graph.
*
* @deprecated Need to be implemented.
*/
public static Path createFastestPathFromNodes(Graph graph, List<Node> nodes)
throws IllegalArgumentException {
List<Arc> arcs = new ArrayList<Arc>();
// TODO:
return new Path(graph, arcs);
if (nodes.size() == 0)
return new Path(graph);
else if (nodes.size() == 1)
return new Path(graph, nodes.get(0)); //test
else {
// skip the last node because it is the destination
for (int i = 0; i < nodes.size() - 1; i++) {
Node current = nodes.get(i);
Node next = nodes.get(i + 1);
Arc fastest = null;
for (Arc arc : current.getSuccessors()) {
if (arc.getDestination() == next
&& (fastest == null
|| arc.getMinimumTravelTime() < fastest.getMinimumTravelTime()))
fastest = arc;
}
if (fastest == null)
throw new IllegalArgumentException("Requested nodes are not adjacent");
else
arcs.add(fastest);
}
return new Path(graph, arcs);
}
}
/**