How can I draw filled elliptical sector using Bresenham's algorithm and bitmap object with DrawPixel method?
I have written method for drawing ellipse, but this method uses symmetry and passes only first quadrant. This algorithm is not situable for sectors. Of course, I can write 8 cycles, but I think it's not the most elegant solution of the task.
On integer math the usual parametrization is by using limiting lines (in CW or CCW direction) instead of your angles. So if you can convert those angles to such (you need
sin,cos
for that but just once) then you can use integer math based rendering for this. As I mentioned in the comment bresenham is not a good approach for a sector of ellipse as you would need to compute the internal iterators and counters state for the start point of interpolation and also it will give you just the circumference points instead of filled shape.There are many approaches out there for this here a simple one:
convert ellipse to circle
simply by rescaling the smaller radius axis
loop through bbox of such circle
simple 2 nested
for
loops covering the outscribed square to our circlecheck if point inside circle
simply check if
x^2 + y^2 <= r^2
while the circle is centered by(0,0)
check if point lies between edge lines
so it should be CW with one edge and CCW with the other. You can exploit the cross product for this (its z coordinate polarity will tell you if point is CW or CCW against the tested edge line)
but this will work only up to 180 deg slices so you need also add some checking for the quadrants to avoid false negatives. But those are just few ifs on top of this.
if all conditions are met conver the point back to ellipse and render
Here small C++ example of this:
beware both angles must be in
<0,360>
range. My screen has y pointing down so ifa0<a1
it will be CW direction which matches the routione. If you usea1<a0
then the range will be skipped and the rest of ellipse will be rendered instead.This approach uses
a0,a1
as real angles !!!To avoid divides inside loop I used 10 bit fixed point scales instead.
You can simply divide this to 4 quadrants to avoid 4 if inside loops to improve performance.
x,y
is point in circular scale centered by(0,0)
cx,cy
is point in elliptic scale centered by(0,0)
sx,sy
is point in elliptic scale translated to ellipse center positionBeware my pixel access is
Pixels[y][x]
but most apis usePixels[x][y]
so do not forget to change it to your api to avoid access violations or 90deg rotation of the result ...