You and a few friends are playing a board game. The board of the game is laid out in a large interconnected graph that has many loops. Each player starts at a different location on the board. When it is your turn, you get to roll anything between one to six 6-sided dice (in other words, anything from a 1-36). How do you determine every space that you can possibly go to in a single turn from your current location? (Example: I roll a 13. Find all spots on the board that are 13 spaces away from me.) You can only move forwards but you can loop around to traverse a net total of less than your roll.
Example: If this is your graph and you start at the top-left corner and you rolled a 6, then one place you can move is down, right, right, up, left, left. However you cannot move right, left, right, left, right, left.
o---o---o---o---o
| | |
o---o---o---o
Are there any algorithms available that do better than depth-first search?
You don't need to actually traverse the graph at all to solve this problem.
The graph can be encoded by its adjacency matrix: a matrix
M
such thatM(i,j) = 1
if there is an edge from nodei
to nodej
andM(i,j) = 0
if there isn't an edge.This matrix has a super cool property: for any nonnegative integer
k
,M**k
(thek
-th power ofM
, i.e.,M
multiplied by itselfk
times) is such that(M**k)(i,j)
= number of different walks fromi
toj
.If
(M**k)(i,j) > 0
, then nodei
can be reached from nodej
in exactlyk
moves. Note that, if you make sure that every node had an edge to itself, i.e., if the diagonal ofM
is full of1
s, then the nodes that can be reached in exactlyk
moves are the same as the nodes that can be reached in at mostk
moves.See also: https://en.wikipedia.org/wiki/Adjacency_matrix#Matrix_powers
In most programming languages, there are libraries that handle matrices and matrix operations quite efficiently, so that taking a matrix to a power can be much faster than actually visiting the nodes of a graph one after the other.
On the other hand, if the graph is huge and
k
is small, and you are only interested in one starting node, then calculatingM**k
might be less efficient than graph traversal, sinceM**k
answers the question for every node of the graph, rather than just for the starting node you are interested in.But if you are interested in all possible starting nodes or if
k
is close to the diameter of the graph, then computingM**k
is most likely the best option.