Math help cos, sin

why does the circle draw poorly?

local ASCII = {}
ASCII.__index = ASCII

function ASCII:WriteCircle(row, col, radius, char)
  if (row - radius < 0) or (col - radius < 0) then return end
  for d = 0, math.pi*2, 1/(radius*2) do
    local row = math.sin(d) * radius + row
    local col = math.cos(d) * radius + col
    self:Write(row, col, char)
  end
end

function ASCII:Write(row, col, char)
  local index = (row-1)*self.width+col
  self.buffer[math.floor(index+.5)] = char
end

function ASCII:RenderScreen()
  local output = ''
  for p = 1, self.height do
    for k = 1, self.width do
      local char = self.buffer[(p-1)*self.width+k]
      output = output.. (char or '.')
    end
    output = output .. '\n'
  end
  print(output)
end

ASCII.new = function(height, width)
  local self = {
    height = height,
    width = width,
    buffer = {}
  }
  
  return setmetatable(self, ASCII)
end

local screen = ASCII.new(50,50)
screen:Write(2,1,'_')
screen:WriteCircle(10,10,5,"$")
screen:RenderScreen()
1 Like

Change your write function to be this

function ASCII:Write(row, col, char)
	row = math.floor(row + 0.5) 
	col = math.floor(col + 0.5)

	local index = (row - 1) * self.width + col
	self.buffer[index] = char
end

And it should work out. I guess rounding the index doesn’t work but rounding row and col does.

1 Like