Drawing Polar Grids
Learn to draw polar grids in Ruby.
We'll cover the following...
The PolarGrid
class
The to_png
method we’ve used up to this point isn’t going to help us much with polar grids, so let’s just subclass Grid
and rewrite to_png
to be what we need it to be. We'll create a new file named polar_grid.rb
. We’ll add the Grid
subclass and to_png
method to our file.
Press + to interact
require 'grid'class PolarGrid < Griddef to_png_v1(cell_size: 10)img_size = 2 * @rows * 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|theta = 2 * Math::PI / @grid[cell.row].lengthinner_radius = cell.row * cell_sizeouter_radius = (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.north)img.line(cx, cy, dx, dy, wall) unless cell.linked?(cell.east)endimg.circle(center, center, @rows * cell_size, wall)imgendend
Code explanation
Line 4: This new to_png
method starts much like the old version, computing the size of our canvas.
Line 5: In this case, though, ...