Due: Wednesday, November 28, 11AM
May be done in pairs
In this assignment, you'll implement several path searching algorithms in the Pathfinder program that altogether allow the user to navigate maps, terrains and mazes. Specifically, your job is to implement the following algorithms:
Turn in only the following files:
changePriority on a vertex that is not already in the queue. You also cannot call changePriority with a priority less urgent (greater) than the existing priority in the queue.As in other assignments, you should follow our Style Guide for information about expected coding style. You are also expected to follow all of the general style constraints emphasized in the previous assignment specs, such as the ones about good problem decomposition, parameters, using proper C++ idioms, and commenting. The following are additional points of emphasis and style constraints specific to this problem:
Search Algorithms: you should implement the required algorithms as discussed in lecture; in particular, do not implement the version of Dijkstra's algorithm from the textbook, as that is a slightly different algorithm.
Redundancy: avoid repeated logic as much as possible. Your implementations will be graded on whether you decompose out repeated code; for instance, Dijkstra's algorithm, A* search, and Alternate Path share significant amounts of functionality.
Efficiency: while there are no strict requirements for runtime efficiency, you should implement all operations, particularly operations on graphs, as efficiently as possible.
You should implement all required functions exactly as specified, and should not make any changes to the function parameters, name, return type, etc. You can add more functions as helpers if you like, particularly to help you remove redundancy between some algorithms containing similar code.
You may optionally work on this assignment as a pair programming assignment. If you would like to work in a pair on this assignment, you may, under the following conditions:
map-istanbul (Start at left, end at bridge): map-middleearth (Hobbiton to Mount Doom): map-san-francisco (Northmost pier point to park): map-stanford (Cogen to Clock): map-stanford-big (Northmost point to bottom): map-usa (Minneapolis to Los Angeles): maze01-tiny : maze04-small : maze05-medium : maze10-huge : terrain01-tiny : terrain03-small : terrain06-medium : terrain07-large : Unzip the demo above and run the JAR contained within the unzipped folder (on Macs, you may have to right click and select "Open" on the JAR for it to run). If the behavior of our demo in any way conflicts with the information in this spec, you should favor the spec over the demo. Depending on the path algorithm being used, some other paths may be equally correct to the ones shown in our output. See later in spec for discussion of "correct" output.
For the expected output above, see the console text for the labels for the start and end points chosen (there is a text box at the bottom of the window that labels each world location as you mouse over it). For the maps, the start and end points are explicitly stated next to the links above.
This program displays various 2-dimensional worlds that represent either maps, mazes, or terrain and allows the user to generate paths in a world from one point to another. When you start up the program, you will see a graphical window containing a map of Stanford, and a secondary console window that displays text information about the world and the algorithms being run. The program is also able to display terrain, where bright colors indicate higher elevations and darker colors represent lower elevations, and mazes, where white squares are open and black squares represent walls.
If you click on any two points in the world (or circles, in the case of the maps), the program will find a path from the starting position to the ending position. As it does so, it will color the vertexes green, yellow, and gray based on the colors assigned to them by the algorithm. Once the path is found, the program will highlight it and display information about the path in the console. The user can select one of five path-searching algorithms in the top menu:
The window also contains several controls. You can load mazes, terrains or maps of different sizes from the bottom drop-down menu, and then click the "Load" button to display them.
You can also optionally turn off or increase the animation delay of the program, which will allow you to more clearly see the exploration steps your algorithms are performing by looking at the colors of various nodes.
When comparing different algorithms, not that you do not have to re-select the start and end points each time; if you run an algorithm, and then select another algorithm and click "Run", it will run the new algorithm with the same start and end points you previously selected.
The 2D world is represented by a BasicGraph, where each vertex represents a specific location on the world. If it is a maze, each location represents one square in the maze's grid-like world. Open maze squares are connected by edges to any other neighboring open squares that are directly adjacent to them (differ by +/- 1 row or column exactly), and black "wall" squares are not connected as neighbors to any other squares; no edges touch them. If the world is a terrain, each location represents some elevation between 0 (lowland) and 1 (high mountain peak). Terrain locations are connected to neighbors in all 8 directions including diagonal neighbors, but maze locations are only connected to neighbors directly up, down, left, and right. Map locations (represented by circles) are connected based on the layout of the map.
Note that your code can treat maps, mazes, and terrains exactly the same. You should just think of each kind of world as a graph with vertexes and edges that connect neighboring vertexes. In the case of mazes, vertexes happen to represent 2D locations and neighbors happen to be directly up, down, left, right, etc., but your code does not utilize or rely on that information. Your path-searching algorithms will work on any kind of graph that might be passed to them.
Each vertex in the graph is represented by an instance of the Vertex structure, which has the following members:
Vertex Member |
Description |
|---|---|
v->name |
vertex's name, such as "r34c25" or "vertex17" (a string) |
v->edges |
edges outbound from this vertex (a Set<Edge*>) |
v->setColor(c) |
sets this vertex to be drawn in the given color in the GUI, such as the following constants: UNCOLORED, GRAY, YELLOW, or GREEN. |
v->getColor() |
returns the color you set previously using setColor; initially UNCOLORED. |
v->toString() |
returns a printable string representation of the vertex for debugging. |
Each edge in the graph is represented by an instance of the Edge structure, which has the following members:
Edge Member |
Description |
|---|---|
e->start |
pointer to the starting vertex of this edge (a Vertex*) |
e->finish |
pointer to the ending vertex of this edge; i.e., finish is a neighbor of start (a Vertex*). |
e->cost |
cost to traverse this edge (a double). |
e->toString() |
returns a printable string representation of the edge for debugging. |
The vertexes and edges are contained inside a BasicGraph object passed to each of your algorithm functions. See the Stanford C++ library documentation for descriptions of the members of the BasicGraph class. In addition to those members, BasicGraph includes all of the public members from its parent class Graph.
In your PathfinderAlgorithms.cpp file, you must write the following 5 functions for finding paths, each of which will be called by the provided GUI when the user selects that algorithm, a start point, and an end point:
Vector<Vertex*> depthFirstSearch(const BasicGraph& graph, Vertex* start, Vertex* end); Vector<Vertex*> breadthFirstSearch(const BasicGraph& graph, Vertex* start, Vertex* end); Vector<Vertex*> dijkstrasAlgorithm(const BasicGraph& graph, Vertex* start, Vertex* end); Vector<Vertex*> aStar(const BasicGraph& graph, Vertex* start, Vertex* end); Vector<Vertex*> alternatePath(const BasicGraph& graph, Vertex* start, Vertex* end);
Each of the first four implements a path-searching algorithm taught in class. You should search the given graph for a path from the given start vertex to the given end vertex. If you find such a path, the path you return should be a list of all vertexes along that path, with the starting vertex first (index 0 of the vector) and the ending vertex last.
If no path is found, return an empty vector. If the start and end vertexes are the same, return a one-element vector containing only that vertex. Though the mazes and terrains in our main app are undirected graphs (all edges go both ways), your code should not assume this. In particular, some maps have weighted edges. You may assume that the graph passed has a valid state.
In addition to searching for a path in each algorithm, we also want you to add some code to give colors to various vertexes at various times. This coloring information is used by the GUI to show the progress of your algorithm and to provide the appearance of animation. To give a color to a vertex, call the setColor member function on a Vertex, passing it a global color constant such as GRAY, YELLOW, or GREEN. For example:
Vertex* myVertex = graph.getVertex("foo");
myVertex->setColor(GREEN); // set the vertex's color to green
Here is a listing of colors available and when you should use them:
YELLOW).GREEN).GRAY). The only algorithm that explicitly "backtracks" like this is depth-first search (DFS). You don't need to set any vertexes to gray in any other path-searching algorithms besides DFS.Depth-first search: You can implement it recursively as shown in lecture, or non-recursively. The choice is up to you. A recursive solution can sometimes run slowly or crash on extremely large worlds; this is okay. You do not need to modify your DFS implementation to avoid crashes due to excessive call stack size.
Breadth-first search: Implement the version of the algorithm pseudo-code from lecture. Make sure to keep track of nodes that you have already visited.
Dijkstra's algorithm: The version of Dijkstra's algorithm suggested in the course textbook is slightly different than the version we discussed in lecture and is less efficient. Your implementation of Dijkstra's algorithm should follow the version we discussed in lecture. The priority queue should store vertexes to visit, and once you find the destination, you should reconstruct the shortest path back. See the lecture slides for more details.
A* search: As discussed in class, the A* search algorithm is essentially a variation of Dijkstra's algorithm that uses heuristics to fine-tune the order of elements in its priority queue to explore more likely desirable elements first. So when you are implementing A*, you need a heuristic function to incorporate into the algorithm. We supply you with a global function called heuristicFunction that accepts pointers to two vertexes v1 and v2 and returns a heuristic value from v1 to v2 as a double. You can assume that this is an admissible heuristic, meaning that it never overestimates the distance to the destination (which is important for A*). For example:
Vertex* v1 = graph.getVertex("foo");
Vertex* v2 = graph.getVertex("bar");
double h = heuristicFunction(v1, v2); // get an A* heuristic between these vertexes
Our pseudocode for Dijkstra's algorithm and A* occasionally refers to "infinity" as an initial value when talking about the cost of reaching a vertex. If you want to refer to infinity in your code, you can use the double constant POSITIVE_INFINITY that is visible to your code.
Dijkstra's algorithm and A* involve a priority queue of vertexes to process, and furthermore, they each depend on the ability to alter a given vertex's priority in the queue as the algorithm progresses. Use the Stanford library's PriorityQueue class for this. To do this, call the changePriority member function on the priority queue and pass it the new priority to use. It is important to use this function here because otherwise there is no way to access an arbitrary element from the priority queue to find the one whose priority you want to change. You would have to remove vertexes repeatedly until you found the one you wanted, which would be very expensive and wasteful. The new priority you pass must be at least as urgent as the old priority for that vertex (because the function bubbles a value upward in the priority queue's internal heap structure).
Note that the notion of a given vertex's current priority might be stored in two places in your code: in your own record-keeping about each Vertex, and in the priority queue's ordering. You'll have to keep these two in sync yourself; if you update just your own records, the priority queue won't know about it if you don't call changePriority, and vice versa. If the two values get out of sync, this can lead to bugs in your program.
You can compare the behavior of Dijkstra's algorithm and A* (or any pair of algorithms). First try performing a search between two points using Dijkstra's algorithm, then select A* and press the "Run" button at the top of the GUI window. This will repeat the same search using the currently selected algorithm. Run a search using Dijkstra's algorithm, switch the algorithm choice to "A*," then run that search to see how much more efficient A* is.
Several expected output files have been posted to the class web site. If you have implemented each path-searching algorithm correctly, for DFS you should get any valid path from the start to the end; for BFS you should get the same path lengths as shown in the expected outputs posted on the class web site. For Dijkstra's and A* you should get the same path costs as shown in the expected outputs. For Alternate Path you should get the same path costs. But you do not need to exactly match our path itself, nor its "locations visited", so long as your path is a correct one. Your A* search algorithm should always return a path with the same cost as the path found by Dijkstra's algorithm. If you find that the algorithms give paths of different costs, it probably indicates a bug in your solution. For mazes, all three of BFS, Dijkstra's algorithm, and A* should return paths with the same length and cost.
When travelling between two points on a map, you may want to take the fastest route, but if there is a reasonable alternative you might prefer that instead. For example, though highway 101 is often the slightly faster way to get to San Francisco from the peninsula, highway 280 is more beautiful. Your final task is to implement the Alternate Path search algorithm, which is a slight variation of Dijkstra's and A*.
In this example the minimum cost path between the oval and the back of MemChu is shown in red, and a next best alternative is shown in blue:
We already know how to find a minimum cost path from a start to a goal. How do we find an alternate route?
To find an alternate path from a start node to an end node, first we are going to calculate the best (i.e., minimum cost) path between start and end, using our A* algorithm. Then, for each edge in the best path we are going to calculate the minimum cost path from start to end that ignores that edge. Each search will thus return a candidate “alternate route”. Your function should return the lowest cost alternate route that is sufficiently different from the original best path. When we say “sufficiently different,” we mean according to a threshold that we define for you as a constant, SUFFICIENT_DIFFERENCE, with a value of 0.2.
To calculate the difference between two paths: we define the difference of an alternate path P from the best path B to be the number of nodes that are in P but are not in B, divided by the number of nodes in B:
For each edge in the best path you will produce one candidate alternate route. Your function should choose, from those candidates, the minimum cost path that has a difference score greater than 0.2 when compared to the original best path (i.e. greater than the defined constant SUFFICIENT_DIFFERENCE).
The minimum-cost path (in blue) is Start → A → B → C → End and has cost 6.
| Excluded Edge | Alternate Path | Cost | Difference |
|---|---|---|---|
| Start → A | Start → D → A → B → C → End | 7 | 1/5 (0.2) |
| A → B | Start → A → E → F → C → End | 8 | 2/5 (0.4) |
| B → C | Start → A → B → F → C → End | 7.5 | 1/5 (0.2) |
| C → End | No path | ∞ | 0 |
The minimum cost alternate route is the path Start → D → A → B → C → End. However it has a difference score of 0.2 (recall that we are looking for a path with difference score greater than 0.2). The minimum cost alternative that also has a difference greater than 0.2 is: Start → A → E → F → C → End
That is the path that your alternative path algorithm should return.
There are different ways to accomplish this modification to your path algorithm. One option is to simply write a separate and modified Dijkstra or A* function that can ignore or exclude an edge, bu this duplicates a lot of code. A better option would be to refactor your code and write a modified function that performs Dijkstra or A*, and can either perform the standard algorithm or can ignore a given edge. Then, you can modify your original Dijkstra or A* function to simply call your new function.
We have included a unit testing file containing some starting tests for each of these algorithms, PathfinderAlgorithmsTests.cpp. You can run these unit tests by running Pathfinder and selecting the "Tests" option on the launch popup.
You should add at least 3 more unit tests to help you test your implementation. Make sure that your unit tests test as small, isolated components of your code as possible. Make sure to give each test a detailed name, and comment above it explaining what it is testing. See the provided tests for examples of how to create test graphs.
Also remember to turn in debugging.txt, explaining a bug you encountered, how you identified it, and how you fixed it. You can find this file in the res/ folder of the starter project.
Though your solution to this assignment must match all of the specifications mentioned previously, it is allowed and encouraged for you to add extra features to your program if you'd like to go beyond the basic assignment. Here are some suggestions:
Indicating that you have done extra features: If you complete any extra features, then in the comment heading on the top of your program, please list all extra features that you worked on and where in the code they can be found (what functions, lines, etc. so that the grader can look at their code easily).
Submitting a program with extra features: Since we use automated testing for part of our grading process, it is important that you submit a program that conforms to the preceding spec, even if you want to do extra features. You should submit two versions of each modified program file: for example, a first one named PathfinderAlgorithms.cpp without any extra features added (or with all necessary features disabled or commented out), and a second one named PathfinderAlgorithms-extra.cpp with the extra features enabled. Please distinguish them by explaining which is which in the comment header. Our turnin system saves every submission you make, so if you make multiple submissions we will be able to view all of them; your previously submitted files will not be lost or overwritten.