I specifically need to adapt the java bresenham implementation here http://rosettacode.org/wiki/Bitmap/Bresenham%27s_line_algorithm#Java with smooth color interpolation over the line.
I'm aware of this solution smooth color interpolation along a "bresenham" line but unfortunately all my attempts to adapt both it's bresenham implementation with the rest of my code or the answers for color to my current implementation have gone poorly.
Here's the code as far as I've gotten it but the result is either only the first color(red) or a weird alternating between the final color (blue) and yellow. If anyone could help it would be really appreciated, thanks!
int d = 0;
int dx = Math.abs(x2 - x1);
int dy = Math.abs(y2 - y1);
int dx2 = 2 * dx; // slope scaling factors to
int dy2 = 2 * dy; // avoid floating point
int ix = x1 < x2 ? 1 : -1; // increment direction
int iy = y1 < y2 ? 1 : -1;
int x = x1;
int y = y1;
if (dx >= dy)
{
while (true)
{
framebuffer[0][x][y] = c0.R*(1-d)+c1.R*d;
framebuffer[1][x][y] = c0.G*(1-d)+c1.G*d;
framebuffer[2][x][y] = c0.B*(1-d)+c1.B*d;
if (x == x2)
break;
x += ix;
d += dy2;
if (d > dx)
{
y += iy;
d -= dx2;
}
}
}
else
{
while (true)
{
int p = 2*dy-dx;
framebuffer[0][x][y] = c0.R*(1-d)+c1.R*d;
framebuffer[1][x][y] = c0.G*(1-d)+c1.G*d;
framebuffer[2][x][y] = c0.B*(1-d)+c1.B*d;
if (y == y2)
break;
y += iy;
d += dx2;
if (d > dy)
{
x += ix;
d -= dy2;
}
}
}
In order to be able to create color that is a blend of two colors, you need to know the distance between the colors at which you want to blend.
The problem with the way that your algorithm is currently implement is, you don't know the number of points which might be needed to create an individual line, so you can't calculate the color of the segement.
So, I modified your algorthim to return a
List
ofPoint
s, instead of drawing them.This now tells us how many points are in the line. From this we can calculate the progression value (0-1) along the line, which will allow use to generate a color blending algorthim.
I then took the
ColorBand
implementation I have, which is based on Color fading algorithm? and Color fading algorithm? (and a few other) examples.From that, I can calculate the color of the line segment based normalised progression through the line points.
For example...
Now, because I'm curious, I modified the lines so some are draw backwards (bottom to top)
just to see what I would get...