Solution: Coloring Cells by Shortest Distance
Understand the solution to the “Coloring Cells by Shortest Distance” challenge.
We'll cover the following...
Solution
Let's run the code given below to compare your output image.
Press + to interact
main.rb
colored_grid_class.rb
distance_grid_class.rb
grid_class.rb
cell_class.rb
require 'distances'class Cellattr_reader :row, :columnattr_accessor :north, :south, :east, :westdef initialize(row, column)@row, @column = row, column@links = {}enddef link(cell, bidi=true)@links[cell] = truecell.link(self, false) if bidiselfenddef unlink(cell, bidi=true)@links.delete(cell)cell.unlink(self, false) if bidiselfenddef links@links.keysenddef linked?(cell)@links.key?(cell)enddef neighborslist = []list << north if northlist << south if southlist << east if eastlist << west if westlistenddef distances(from: [self])# work your magic here!distances = Distances.new(from.first)from.each { |cell| distances[cell] = 0 }frontier = [ *from ]while frontier.any?new_frontier = []frontier.each do |cell|cell.links.each do |linked|next if distances[linked]distances[linked] = distances[cell] + 1new_frontier << linkedendendfrontier = new_frontierenddistancesendend
Code explanation
Line 41: The method takes an optional parameter, from
—representing the starting cell for which we want to calculate the distance—which defaults to an array containing the current object self
...