Solution: Optimizing Aldous-Broder
Understand the solution to the “Optimizing Aldous-Broder” challenge.
We'll cover the following...
Solution
Let's execute the following solution code and see how it works:
Press + to interact
main.rb
aldous_broder_modified.rb
# This is a modified---and biased!---version of the Aldous- Broder# algorithm. If you thought the result was unbiased, consider that# this version now *prefers* a least-visited neighbor over other# neighbors; the result may or may not exhibit a tell-tale texture, but# it's still biased!class ModifiedAldousBroder# Write your code heredef self.on(grid)cell = grid.random_cellunvisited = grid.size - 1visits = Hash.new(0)while unvisited > 0visits[cell]+=1# find the set of least-visited neighbors, and pick one randomlyneighbors_by_visit = cell.neighbors.group_by { |n| visits[n] }min = neighbors_by_visit.keys.minneighbor = neighbors_by_visit[min].sampleif neighbor.links.empty?cell.link(neighbor)unvisited -= 1endcell = neighborendgridendend
Code explanation
Lines 8–25: We define the class method self.on
, which takes a grid
object as an argument and generates the maze using the modified Aldous-Broder algorithm.
...