Solution: Zeta Mazes
Understand the solution to the “Zeta Mazes” challenge.
We'll cover the following...
Solution
Let's execute the following solution code and see how it works:
Press + to interact
require "cell"require "grid"require "recursive_backtracker"class ZetaCell < Cell#Your code goes hereattr_accessor :nw, :ne, :sw, :sedef neighborssuper.tap do |list|[ nw, ne, sw, se ].each do |neighbor|list << neighbor if neighbor && can_link_to?(neighbor)endendend# this is where we check to see if the shared neighbors are already# connected diagonally, in which case we disallow a link to the cell.def can_link_to?(cell)if north && cell.west == north!north.linked?(north.se)elsif north && cell.east == north!north.linked?(north.sw)elsif south && cell.west == south!south.linked?(south.ne)elsif south && cell.east == south!south.linked?(south.nw)elsetrueendendendclass ZetaGrid < Griddef prepare_gridArray.new(rows) do |row|Array.new(columns) do |col|ZetaCell.new(row, col)endendenddef configure_cellseach_cell do |cell|row, col = cell.row, cell.columncell.north = self[row - 1, col]cell.south = self[row + 1, col]cell.west = self[row, col - 1]cell.east = self[row, col + 1]cell.nw = self[row - 1, col - 1]cell.ne = self[row - 1, col + 1]cell.sw = self[row + 1, col - 1]cell.se = self[row + 1, col + 1]endenddef to_png(cell_size: 10)# add a margin around the maze, so the lines at the edges# are easier to seeimg_width = cell_size * (columns + 1)img_height = cell_size * (rows + 1)background = ChunkyPNG::Color::WHITEpassage = ChunkyPNG::Color::BLACKimg = ChunkyPNG::Image.new(img_width, img_height, background)each_cell do |cell|x = (cell.column + 1) * cell_sizey = (cell.row + 1) * cell_size[ cell.ne, cell.east, cell.se, cell.south ].each do |neighbor|if cell.linked?(neighbor)x2 = (neighbor.column + 1) * cell_sizey2 = (neighbor.row + 1) * cell_size# draw the passage between the two cells as a single lineimg.line x, y, x2, y2, passageendendendimgendendgrid = ZetaGrid.new(10, 10)RecursiveBacktracker.on(grid)img = grid.to_pngimg.save "zeta.png"filename="zeta.png"grid.to_png.save("/usercode/output/"+filename)
Code explanation
Lines 5–32: We create the ZetaCell
class to represent a cell in a grid to determine neighboring cells and to check if a link is allowed. ...