Solution: Polar Grids with Uneven Row Heights
Understand the solution to the “Polar Grids with Uneven Row Heights” challenge.
We'll cover the following...
Solution
Let’s execute the following solution code and see how it works:
Press + to interact
main.rb
uneven_polar_grid.rb
require 'polar_grid'class UnevenPolarGrid < PolarGrid# Write your code heredef initialize(widths)# precompute some things to help `prepare_grid` and `to_png`# work a bit more smoothly.@widths = widths@radius = @widths.sum# the height (relative to the radius) of each row@row_heights = @widths.map { |width| width / @radius.to_f }# the inner radii of the rows@radii = Array.new(@widths.length + 1) { |i| @widths[0,i].sum }super(widths.length)end# Mostly the same as the original, but look for where @radii# and @row_heights are being used.def prepare_gridrows = Array.new(@rows)rows[0] = [ PolarCell.new(0, 0) ](1...@rows).each do |row|relative_radius = @radii[row] / @radius.to_fcircumference = 2 * Math::PI * relative_radiusprevious_count = rows[row - 1].lengthestimated_cell_width = circumference / previous_countratio = (estimated_cell_width / @row_heights[row]).roundcells = previous_count * ratiorows[row] = Array.new(cells) { |col| PolarCell.new(row, col) }endrowsend# Also mostly unchanged from before, but look for where @radius and# @radii are introduced here!def to_png(cell_size: 10)img_size = 2 * @radius * cell_sizebackground = ChunkyPNG::Color::WHITEwall = ChunkyPNG::Color::BLACKimg = ChunkyPNG::Image.new(img_size + 1, img_size + 1, background)center = img_size / 2each_cell do |cell|next if cell.row == 0theta = 2 * Math::PI / @grid[cell.row].lengthinner_radius = @radii[cell.row] * cell_sizeouter_radius = @radii[cell.row + 1] * cell_sizetheta_ccw = cell.column * thetatheta_cw = (cell.column + 1) * thetaax = center + (inner_radius * Math.cos(theta_ccw)).to_iay = center + (inner_radius * Math.sin(theta_ccw)).to_ibx = center + (outer_radius * Math.cos(theta_ccw)).to_iby = center + (outer_radius * Math.sin(theta_ccw)).to_icx = center + (inner_radius * Math.cos(theta_cw)).to_icy = center + (inner_radius * Math.sin(theta_cw)).to_idx = center + (outer_radius * Math.cos(theta_cw)).to_idy = center + (outer_radius * Math.sin(theta_cw)).to_iimg.line(ax, ay, cx, cy, wall) unless cell.linked?(cell.inward)img.line(cx, cy, dx, dy, wall) unless cell.linked?(cell.cw)endimg.circle(center, center, @radius * cell_size, wall)imgendend
Code explanation
Line 10: We calculate the height of each row relative to the radius and ...