Implementing Wilson's Algorithm
Learn to implement Wilson's algorithm in Ruby.
We'll cover the following...
The Wilsons
class
The following code uses an array to keep track of all unvisited cells in the grid. Besides letting us query whether a cell has been visited or not, this also lets us quickly choose an unvisited cell from which we can start our loop-erased random walk.
Press + to interact
class Wilsonsdef self.on(grid)unvisited = []grid.each_cell { |cell| unvisited << cell }first = unvisited.sampleunvisited.delete(first)while unvisited.any?cell = unvisited.samplepath = [cell]while unvisited.include?(cell)cell = cell.neighbors.sampleposition = path.index(cell)if positionpath = path[0..position]elsepath << cellendend0.upto(path.length-2) do |index|path[index].link(path[index + 1])unvisited.delete(path[index])endendgridendend
Code explanation
This implementation really consists of three different parts: the initialization (lines 4–8), the loop-erased random walk (lines 10–22), and carving passages (lines 24–27).
Lines 4–8 ...