Representations for Lines and Curves
A prelimenary step to drawing lines and curves is choosing a suitable representation
for them. There are three possible choices which are potentially useful.
Explicit: y = f(x)
line |
data:image/s3,"s3://crabby-images/21aff/21aff9a53fec908716c5a889f8175e6371f179db" alt="" |
circle |
data:image/s3,"s3://crabby-images/b311b/b311bacf0795a75009087387eae8e20e7e46f283" alt="" |
Parametric: x = f(t), y = f(t)
line |
data:image/s3,"s3://crabby-images/e3f50/e3f50542e980bc9190b065b4acba1822f563940b" alt="" |
circle |
data:image/s3,"s3://crabby-images/f8ea9/f8ea99f01d07bdbbbba7bd254f6194acfad1801d" alt="" |
Implicit: f(x,y) = 0
line |
data:image/s3,"s3://crabby-images/f3afb/f3afb0dd968cd81569c16b0702eb831501ea5937" alt="" |
circle |
data:image/s3,"s3://crabby-images/3dcd8/3dcd88e271ee3145009f08c126a281deeedd779e" alt="" |
Optimal Line Drawing
Drawing lines on a raster grid implicitly involves approximation. The general
process is called rasterization or scan-conversion. What
is the best way to draw a line from the pixel (x1,y1) to (x2,y2)? Such
a line should ideally have the following properties.
-
straight
-
pass through endpoints
-
smooth
-
independent of endpoint order
-
uniform brightness
-
brightness independent of slope
-
efficient
A Straightforward Implementation
DrawLine(x1,y1,x2,y2)
int x1,y1,x2,y2;
{
float y;
int x;
for (x=x1; x<=x2; x++) {
y = y1 + (x-x1)*(y2-y1)/(x2-x1)
SetPixel(x, Round(y) );
}
}
A Better Implementation
DrawLine(x1,y1,x2,y2)
int x1,y1,x2,y2;
{
float m,y;
int dx,dy,x;
dx = x2 - x1;
dy = y2 - y1;
m = dy/dx;
y = y1 + 0.5;
for (x=x1; x<=x2; x++) {
SetPixel(x, Floor(y) );
y = y + m;
}
}
The Midpoint Algorithm
The midpoint algorithm is even better than the above algorithm in that
it uses only integer calculations. It treats line drawing as a sequence
of decisions. For each pixel that is drawn, the next pixel will be either
E or NE, as shown below.
The midpoint algorithm makes use of the the implicit definition of the
line, F(x,y) = 0. The E/NE decisions are made as follows.
define
if E is chosen,
if NE is chosen,
The process repeats, stepping along x, making decisions whether to
set E or NE pixel.
Initialization
Now we would like an integer-only algorithm.
Define
Midpoint Algorithm
The following algorithm produces the desired results for lines having x1
less than x2 and a slope less or equal to 1.
drawline(x1, y1, x2, y2, colour)
int x1, y1, x2, y2, colour;
{
int dx, dy, d, incE, incNE, x, y;
dx = x2 - x1;
dy = y2 - y1;
d = 2*dy - dx;
incE = 2*dy;
incNE = 2*(dy - dx);
y = y1;
for (x=x1; x<=x2; x++) {
setpixel(x, y, colour);
if (d>0) {
d = d + incNE;
y = y + 1;
} else {
d = d + incE;
}
}
}