Shortest Paths
Designing and analyzing shortest paths.
- Seam finding interfaces
- Graph interfaces
- Reference implementation
- Design and implement
- Analyze and compare
In addition to implementing navigation directions in Husky Maps, shortest paths is also useful for seam carving: a technique for image resizing where the size of an image is reduced by one pixel in height (by removing a horizontal seam) or width (by removing a vertical seam) at a time. Rather than cropping pixels from the edges or scaling the entire image, seam carving is considered content-aware image resizing because it attempts to identify and preserve the most important content in an image.
In this project, we will compare 2 graph representations, 2 graph algorithms, and 1 dynamic programming algorithm for seam carving. By the end of this project, students will be able to:
- Design and implement graph representations and algorithms for seam finding.
- Analyze and compare implementation runtime and adaptibility to new metrics.
Seam finding interfaces
The SeamCarver
class depends on algorithms that can find a least-noticeable horizontal or vertical seam. The interfaces for seam finding are defined in the src/main/java/seamfinding
folder.
SeamFinder
- An interface specifying a single method,
findHorizontal
, for finding a least-noticeable horizontal seam in a givenPicture
according to theEnergyFunction
. The horizontal seam is returned as a list of integer indices representing the y-value (vertical) pixel indices for each pixel in the width of the picture. Picture
- A class representing a digital image where the color of each pixel is an
int
. In image processing, pixel (x, y) refers to the pixel in column x and row y where pixel (0, 0) is the upper-left corner and the lower-right corner is the pixel with the largest coordinates.
This is opposite to linear algebra, where (i, j) is row i column j and (0, 0) is the lower-left corner.
EnergyFunction
- An interface specifying a single method,
apply
, for computing the importance of a given pixel in the picture. The higher the energy of a pixel, the more noticeable it is in the picture.
Seam finder implementations work by applying the EnergyFunction
to each pixel in the given Picture
. Then, we can use a shortest paths algorithm to find the least-noticeable horizontal seam from the left side of the picture to the right side of the picture.
Graph interfaces
The graph interfaces and algorithms are defined in the src/main/java/graphs
folder.
Graph
- An interface representing a directed weighted graph with a single method that returns a list of the
neighbors
of a given vertex. The directedEdge
class provides 3 fields: the origin vertexfrom
, the destination vertexto
, and the edgeweight
. ShortestPathSolver
- An interface for finding a shortest paths tree in a
Graph
. Implementations of this interface must provide a public constructor that accepts two parameters: aGraph
and a start vertex. Thesolution
method returns the list of vertices representing a shortest path from the start vertex to the givengoal
vertex.
The generic type V
is used throughout the graphs
package to indicate the vertex data type. For seam carving, all vertices will be of the interface type Node
(described below).
Reference implementation
AdjacencyListSeamFinder
implements SeamFinder
by building an adjacency list graph representation of the picture and then running a single-source shortest paths algorithm to find a lowest-cost horizontal seam.
public List<Integer> findHorizontal(Picture picture, EnergyFunction f) {
PixelGraph graph = new PixelGraph(picture, f);
List<Node> seam = sps.run(graph, graph.source).solution(graph.sink);
seam = seam.subList(1, seam.size() - 1); // Skip the source and sink nodes
List<Integer> result = new ArrayList<>(seam.size());
for (Node node : seam) {
// All remaining nodes must be Pixels
PixelGraph.Pixel pixel = (PixelGraph.Pixel) node;
result.add(pixel.y);
}
return result;
}
Here’s an explanation of each line of code in this method. Given a Picture
and an EnergyFunction
that defines the way that we want to measure the importance of each pixel:
PixelGraph graph = new PixelGraph(picture, f)
- The first line creates a
PixelGraph
where each vertex represents a pixel and each edge represents the energy cost for the neighboring pixel. ThePixelGraph
constructor creates a newPixel
(node) for each pixel in the image. It also creates asource
node and asink
node. List<Node> seam = sps.run(graph, graph.source).solution(graph.sink)
sps.run
calls theShortestPathSolver
(such asDijkstraSolver
) to find the shortest path in thePixelGraph
from thesource
and immediately asks for a shortest path to thesink
. Theseam
stores the solution to the shortest path problem.seam = seam.subList(1, seam.size() - 1)
- The
seam
includes thesource
andsink
, which we don’t need in our final solution. for (Node node : seam) { ... }
- Since the remaining nodes in the
seam
must bePixel
nodes, add each pixel’sy
index to theresult
list and return theresult
.
Look inside the AdjacencyListSeamFinder
class to find a static nested class called PixelGraph
. PixelGraph
implements Graph<Node>
by constructing a 2-dimensional grid storing each Node
in the seam carving graph. This class also includes two fields called source
and sink
.
Node interface
Node
is an interface that adapts the Graph.neighbors
method for use with different types of nodes in the AdjacencyListSeamFinder
. This is helpful because not all nodes are the same. Although most nodes represent pixels that have x
and y
coordinates, the graph also contains source
and sink
nodes that don’t have x
or y
coordinates! Using the Node
interface allows for these different kinds of nodes to all work together in a single program.
Inside of the PixelGraph
class, you’ll find the three types of nodes implemented as follows.
source
- A field that implements
Node.neighbors
by returning a list ofpicture.height()
outgoing edges to eachPixel
in the first column of the picture. The weight for each outgoing edge represents the energy of the corresponding pixel in the leftmost column. Pixel
- An inner class representing an (x, y) pixel in the picture with directed edges to its right-up, right-middle, and right-down neighbors. Most pixels have 3 adjacent neighbors except for pixels at the boundary of the picture that only have 2 adjacent neighbors. The weight of an edge represents the energy of the neighboring
to
-side pixel. sink
- A field that implements
Node.neighbors
by returning an empty list. It has one incoming edge from eachPixel
in the rightmost column of the picture.
The source
and sink
are defined using a feature in Java called anonymous classes. Anonymous classes are great for objects that implement an interface but only need to be instantiated once.
Design and implement
Design and implement 1 graph representation, 1 graph algorithm, and 1 dynamic programming algorithm for seam finding.
GenerativeSeamFinder
A graph representation that implements SeamFinder
. Similar to AdjacencyListSeamFinder
but rather than creating the neighbors for every node in the PixelGraph
constructor ahead of time, this approach only creates vertices and edges when Pixel.neighbors
is called.
- Study the
AdjacencyListSeamFinder.PixelGraph
constructor, which constructs the entire graph and represents it as aPixel[][]
. - Adapt the ideas to implement
GenerativeSeamFinder.PixelGraph.Pixel.neighbors
, which should return the list of neighbors for a givenPixel
. Create a newPixel
for each neighbor. - Then, define the
source
andsink
nodes.
The slides below show how a PixelGraph
is constructed in AdjacencyListSeamFinder
and explain how this differs from GenerativeSeamFinder
. Click on the image below to advance to the next slide.
Explain the part of the GenerativeSeamFinder
class that you’re most proud of programming.
ToposortDAGSolver
A graph algorithm that implements ShortestPathSolver
. Finds a shortest paths tree in a directed acyclic graph using topological sorting.
- Initialize
edgeTo
anddistTo
data structures just as inDijkstraSolver
. - List all reachable vertices in depth-first search postorder. Then,
Collections.reverse
the list. - For each node in reverse DFS postorder, relax each neighboring edge.
- Edge relaxation
- If the new distance to the neighboring node using this edge is better than the best-known
distTo
the node, updatedistTo
andedgeTo
accordingly.
DynamicProgrammingSeamFinder
A dynamic programming algorithm that implements SeamFinder
. The dynamic programming approach processes pixels in a topological order: start from the leftmost column and work your way right, using the previous columns to help identify the best shortest paths. The difference is that dynamic programming does not create a graph representation (vertices and edges) nor does it use a graph algorithm.
How does dynamic programming solve the seam finding problem? We need to first generate a dynamic programming table storing the accumulated path costs, where each entry represents the total energy cost of the least-noticeable path from the left edge to the given pixel.
- Initialize a 2-d
double[picture.width()][picture.height()]
array. - Fill out the leftmost column in the 2-d array with the energy for each pixel.
- For each pixel in each of the remaining columns, determine the lowest-energy predecessor to the pixel: the minimum of its left-up, left-middle, and left-down neighbors. Compute the total energy cost to the current pixel by adding its energy to the total cost for the least-noticeable predecessor.
The slides below show how the DynamicProgrammingSeamFinder
implementation works and highlight key ideas to account for in your code. Click on the image below to advance to the next slide.
Once we’ve generated this table, we can use it to find the shortest path.
- Add the y value of the least-noticeable pixel in the rightmost column to the result.
- Follow the path back to the left by adding the y-value of each predecessor to the result.
- Finally, to get the coordinates from left to right,
Collections.reverse
the result.
Explain the part of the DynamicProgrammingSeamFinder
class that you’re most proud of programming.
Run all the tests
for all 5 implementations in IntelliJ and include a screenshot in your writeup showing a summary of the results. If the implementations pass all the test cases, explain an interesting bug that you addressed during your programming process. If the implementations do not pass all the test cases, explain what you think could be causing the problem.
Analyze and compare
Experimental analysis
Run the provided RuntimeExperiments
to compare the real-world runtime of each implementation. For each implementation, RuntimeExperiments
constructs an empty instance and records the number of seconds to findHorizontal
through randomly-generated pictures of increasing resolution.
Copy-paste the text into plotting software such as Desmos. Plot the runtimes of all 5 approaches on the same graph.
AdjacencyListSeamFinder(DijkstraSolver::new)
AdjacencyListSeamFinder(ToposortDAGSolver::new)
GenerativeSeamFinder(DijkstraSolver::new)
GenerativeSeamFinder(ToposortDAGSolver::new)
DynamicProgrammingSeamFinder()
Compare the runtimes across all 5 approaches. Are certain algorithms faster than others? What might explain the differences? How does the choice of SeamFinder
and the choice of ShortestPathSolver
affect the runtime?
Here are some factors to consider in your discussion:
- What differences between
ToposortDAGSolver
andDijkstraSolver
might affect runtimes? How many times does each implementation traverse the pixel graph? - What differences between
GenerativeSeamFinder
andAdjacencyListSeamFinder
might affect runtimes? How might the runtimes of their respectiveneighbors()
methods compare? - Although we don’t require asymptotic analysis for this project, does the experimental analysis agree with your expected asymptotic analysis?
Algorithm engineering
In our study of affordance analysis, we walked through how to implement a redesign for the Husky Maps search: instead of displaying results in order of importance, we learned how to redesign the app to display results in order of distance from the center of the map. All of the asymptotic, experimental, and affordance analysis we’ve done in this class are different forms of algorithm engineering.
Algorithm engineering can also include studying the architecture of a software system. Let’s study the architecture behind shortest paths for navigation directions in Husky Maps.
Starting from the call to map.shortestPath(start, goal)
in src/main/java/MapServer.java
, walk through the project code to show how the algorithm finds the shortest path from the start
to the goal
using AStarSolver
, which is an optimization of Dijkstra’s algorithm for certain problems. In MapGraph
, why do we need to pass this
as an argument to AStarSolver
? Why does the code call closest
, and how long does it take to find the closest node? In AStarSolver
, why does the solution
method call Collections.reverse(path)
?
How might we redesign Husky Maps to provide accessible routing, or navigation directions that prefer more accessible routes? Project Sidewalk has assigned almost all sidewalks in Seattle a decimal access score ranging between 0 (inaccessible) and 1 (accessible).
If each edge in the MapGraph
stores its own access score, then we could define the edge’s distance by dividing the real distance in the world by the access score so that access scores closer to 0 will incur larger distance penalties. This penalty could represent the difficulty of traversing that edge.
Explain an alternative mathematical formula that could be used to implement accessible routing. Your formula may operate on individual edges in MapGraph
and/or the routing formulas defined by AStarSolver
. Then, explain what motivated you to define your formula that way. Finally, explain how you would handle the situation where a sidewalk does not have an access score.
Optionally, if you would like to implement your ideas into the project, you may do so using the src/main/resources/access.tsv
file, which associates each OSM ID (roadway identifier) with its access score. However, implementation is not required.