Flood Fill Tutorial
Coloring Pages Game
Game
Play with colors is a delightful Page coloring game that my wife Evelyn and I are developing together. She is an amazing Illustrator and a Graphic designer and is always busy creating beautiful drawings. Inspired by her talent, we thought it would be exciting to transform her artwork into an interactive game. Hence, this coloring pages game. Although the game is still in its early stages, we had fun and enjoyed working on it so far.
In this article, I will introduce the main algorithm that we use to paint sections of the drawings, bringing Evelyn’s creations to life.
Bucket Paint Algorithm
We have planned several tools for our game: Pencil (a free painting tool that doesn’t respect the drawing’s edges), Brush (a free painting tool that respects the drawing’s edges), Eraser (which erases an entire section), and Bucket (which paints entire sections of the drawing).
The Bucket tool was our first implementation. We find something incredibly satisfying about painting this way, making it a must-have feature. Our inspiration for this tool comes from the classic software MS Paint, which, despite its many modern improvements, still retains the familiar bucket tool.
Our Goal
Our goal with this algorithm for our game is to use it without changing too much from the original drawing. It needs to be highly performant, capable of running smoothly on low-end devices, and must account for the drawing’s aliasing pixels. The original MS Paint bucket tool doesn’t consider the aliasing, often leaving behind white or gray pixels. Ideally, we aim to achieve a smoother painting experience, more akin to how Photoshop handles it, ensuring that all pixels are seamlessly painted.
In-Game result
We are pretty happy with our final results. We have to do some minor manual fixing on the original drawing, but for now we are happy with what we have achieved.
And now we are going to share how we implemented and boosted performance on Flood Fill algorithm for our game. If this article has enough reach we can also share the final form of our algorithm where we take into account the aliasing and smooth out the painting. If you are not interested in the whole process, you can skip directly to the Iterative++ algorithm, that doesn’t take aliasing into account but can run pretty well.
Flood Fill
There’s an abundant available information about this algorithm online. Wikipedia initial article gets the gist of it:
Flood fill, also called seed fill, is a flooding algorithm that determines and alters the area connected to a given node in a multi-dimensional array with some matching attribute. It is used in the “bucket” fill tool of paint programs to fill connected, similarly-colored areas with a different color, and in games such as Go and Minesweeper for determining which pieces are cleared.
The traditional flood-fill algorithm takes three parameters: a start node, a target color, and a replacement color. The algorithm looks for all nodes in the array that are connected to the start node by a path of the target color and changes them to the replacement color.
Basically, we should get the first pixel, swap the color and inspect the pixels around: if they are the same color as the original first pixel, we should do the same and swap the color and inspect the neighbors, otherwise we hit a border and should stop inspecting the neighbors.
Implementation
For our testing, we are using one Bunny texture that we got from Freepik. We did three copies: One small (64x64), one medium (1024x1024) and one large (2048x2048).
For each, version when testing we simulate 4 bucket actions: One for the background, one for the bunny and one for each carrot. The testing time is calculated when all 4 actions are finished.
We also prepared an interface IFloodFill
to implement the specific interface for this algorithm that accepts the texture
, the initial point to flood (px
, py
) the targetColor
as the color that we should flood over and the color
to replace target color.
Recursive
The first implementation we can find online and try is the recursive one. With this algorithm we are inspecting the neighbors with a recursive call to a FloodFillRecursive
method.
The main advantage of this method is that it is short and simple to understand: We get the pixel on the Texture at (px,py) and check its color, if the color is different than the first one inspected (targetColor) we return early.
Otherwise, we change the color and do the same for the four neighbors (up, down, left and right) calling the same method.
The main disadvantage is that this is not practical. For any medium texture this method would already stack overflow the calls.
public class RecursiveFloodFill : MonoBehaviour, IFloodFill
{
public string GetName()
{
return "Recursive";
}
private void FloodFillRecursive(Texture2D texture, int px, int py, Color targetColor, Color color)
{
// check if we are in the bounderies
if (px < 0 || py < 0) return;
if (px >= texture.width || py >= texture.height) return;
// get the pixel at PX, PY color
var pixelColor = texture.GetPixel(px, py);
// if color is different than the original pixel color, abort
if (pixelColor != targetColor) return;
// if same color, we can swap the current color to the "color" we changing it to
texture.SetPixel(px, py, color);
// recursivally do the same to the neighbors (up, down, right, left)
FloodFillRecursive(texture, px + 1, py, targetColor, color);
FloodFillRecursive(texture, px - 1, py, targetColor, color);
FloodFillRecursive(texture, px, py + 1, targetColor, color);
FloodFillRecursive(texture, px, py - 1, targetColor, color);
}
public void FloodFill(Texture2D texture, Vector2 pos, Color color)
{
// get the initial pixel texture position (`pos` is between [0,1])
var px = (int)(pos.x * texture.width);
var py = (int)(pos.y * texture.height);
// the first pixel color
var targetColor = texture.GetPixel(px, py);
FloodFillRecursive(texture, px, py, targetColor, color);
// after changing all pixels, we should "apply" the texture. This is a requirement for Unity's texture changes
texture.Apply();
}
}
Test
Iterative
To fix the issues with the recursive method we can convert it to an iterative method using a stack structure. Almost everything is the same, but now we use a stack to keep track of the pixels that we should visit next.
We could use a Vector2
structure to represent the TexturePixelPoint
, but in this case I went for a more explicit naming.
The main advantage is that in medium and big textures it will run just fine.
The main disadvantage however is that this is not a fast or performant algorithm.
public class IterativeFloodFill : MonoBehaviour, IFloodFill
{
private struct TexturePixelPoint
{
public int X;
public int Y;
}
public string GetName()
{
return "Iterative";
}
private void FloodFillIterative(Texture2D texture, int px, int py, Color targetColor, Color color)
{
Stack<TexturePixelPoint> floodPixels = new Stack<TexturePixelPoint>();
// put the first pixel in the stack
floodPixels.Push(new TexturePixelPoint{ X = px, Y = py });
// while we have pixels to process. Note that this doesn't change the call stack and therefore should work for medium or big textures.
while (floodPixels.Count > 0)
{
// remove the pixel we are going to process now
var node = floodPixels.Pop();
// check for the bounderies
if (node.X < 0 || node.Y < 0) continue;
if (node.X >= texture.width || node.Y >= texture.height) continue;
var pixelColor = texture.GetPixel(node.X, node.Y);
// if this pixel is different than the original pixel color, skip it
if (pixelColor != targetColor) continue;
// change this pixel color
texture.SetPixel(node.X, node.Y, color);
// put the neighbors in the stack so they can be processed later
floodPixels.Push(new TexturePixelPoint{ X = node.X + 1, Y = node.Y });
floodPixels.Push(new TexturePixelPoint{ X = node.X - 1, Y = node.Y });
floodPixels.Push(new TexturePixelPoint{ X = node.X, Y = node.Y + 1 });
floodPixels.Push(new TexturePixelPoint{ X = node.X, Y = node.Y - 1 });
}
floodPixels.Clear();
floodPixels = null;
}
public void FloodFill(Texture2D texture, Vector2 pos, Color color)
{
// get the initial pixel texture position (`pos` is between [0,1])
var px = (int)(pos.x * texture.width);
var py = (int)(pos.y * texture.height);
// the first pixel color
var targetColor = texture.GetPixel(px, py);
// start the flood iterative process
FloodFillIterative(texture, px, py, targetColor, color);
// after changing all pixels, we should "apply" the texture. This is a requirement for Unity's texture changes
texture.Apply();
}
}
Test
Iterative++
As you can see on Iterative method tests, the algorithm works as expected but can still take a long time to process. Ideally we want to reduce the process time as much as possible. So let’s improve our algorithm and boost the performance.
Looking into the Profiler in our method we can see that there’s lots of room for improvement. More specifically we can use a color comparison that doesn’t do conversions (the current method has float/double and color/color32 casts that might slow down our algorithm), we can also avoid consulting floodPixels.Count
or the texture width
and height
every loop or even use a different structure than a Stack
that should perform better.
Another improvement that we should do is access the texture pixels through GetRawTextureData
that gives us access to a single native array of pixels, that is much faster to access and modify. Some extra calculations and checks is needed since now we have a unidimensional array, but the performance overall is better.
// explain more about the unidimensional array of pixels
public class IterativeFloodFillEnhanced : MonoBehaviour, IFloodFill
{
// we can use an array of integers instead of a stack to keep track of next pixel to inspect
private int[] _floodNodes;
private int _floodIndex;
public string GetName()
{
return "Iterative++";
}
// this method does essentially the same calculation as the original Unity's Color Comparision one.
// However we are avoiding the alpha calculation and the float/double casting. We don't need to be too precise and we know it won't overflow
[MethodImpl(MethodImplOptions.AggressiveInlining)]
private static bool ColorEqual(Color32 lhs, Color32 rhs)
{
float num1 = lhs.r - rhs.r;
float num2 = lhs.g - rhs.g;
float num3 = lhs.b - rhs.b;
// float num4 = lhs.a - rhs.a;
return num1 * num1 + num2 * num2 + num3 * num3 /* + (double) num4 * (double) num4*/ < 9.99999943962493E-11;
}
private void StartFloodFill(Texture2D texture, int px, int py, Color32 targetColor, Color32 color)
{
// Accessing the native pixels from the texture
var pixels = texture.GetRawTextureData<Color32>();
// initialize the _floodNodes array
if (_floodNodes == null || _floodNodes.Length < pixels.Length)
{
var floodNodeSize = pixels.Length;
_floodNodes = new int[floodNodeSize];
}
// reset the _floodIndex. This is where our "stack head" is.
_floodIndex = 0;
// cache the texture width
var textureWidth = texture.width;
// cache the pixels array length
var pixelsLength = pixels.Length;
// calculate the pixel position (px, py) on the unidimensional array
var k = px + py * texture.width;
if (k < 0 || k >= pixels.Length) return;
// initialize the "stack" with the first position to inspect
_floodNodes[_floodIndex++] = k;
if (ColorEqual(pixels[k], color)) return;
// while we have pixels to inspect
while (_floodIndex > 0)
{
// "pop" the pixel. `k` here is the Texture pixel (px,py) in an unidimensional array index
k = _floodNodes[--_floodIndex];
// set the Texture pixel to the desired color. We know we must update this one
pixels[k] = color;
// Let's check and add to the "stack" the neighbors.
// Different from before, now we are checking the bounds and color before adding to the "stack". Doing this we can save some comparison calls
var nextNeighborPixel = k + 1;
if (nextNeighborPixel < pixelsLength && ColorEqual(pixels[nextNeighborPixel], targetColor)) _floodNodes[_floodIndex++] = nextNeighborPixel;
nextNeighborPixel = k - 1;
if (nextNeighborPixel >= 0 && ColorEqual(pixels[nextNeighborPixel], targetColor)) _floodNodes[_floodIndex++] = nextNeighborPixel;
nextNeighborPixel = k + textureWidth;
if (nextNeighborPixel < pixelsLength && ColorEqual(pixels[nextNeighborPixel], targetColor)) _floodNodes[_floodIndex++] = nextNeighborPixel;
nextNeighborPixel = k - textureWidth;
if (nextNeighborPixel >= 0 && ColorEqual(pixels[nextNeighborPixel], targetColor)) _floodNodes[_floodIndex++] = nextNeighborPixel;
}
_floodNodes = null;
}
public void FloodFill(Texture2D texture, Vector2 pos, Color color)
{
// get the initial pixel texture position (`pos` is between [0,1])
int x = (int)(texture.width * pos.x);
int y = (int)(texture.height * pos.y);
// the first pixel color
Color targetColor = texture.GetPixel(x, y);
// we can avoid the process if the first pixel is already the desired color
if (targetColor == color) return;
// start the flood iterative process
StartFloodFill(texture, x, y, targetColor, color);
// after changing all pixels, we should "apply" the texture. This is a requirement for Unity's texture changes
texture.Apply();
}
}
This method’s main advantage is the improved performance.
The main disadvantage from before is that it is now a little more complex.
Test
As you can see this was some improvement from the previous version. But of course, if we check the profiler, we still have ways to improve it! We could avoid accessing (get) the array pixel for example.
Note that we are in a much better position now, and the final build will be even better as the NativeArray.Get
method is more optimized.
Smooth
Our current algorithm for the game has a little more complexity to it as it tries to smooth out on the drawing’s aliasing. We are not ready to share it, as it still needs some refactoring, but we will be glad to release it in the future if you are interested.
You can check out our demo here or on itch.io here: matheusfernandes.itch.io/play-with-colors
Test
As you can see, we were able to reduce even further the time to process (from 0.78 to 0.24 to run 4 bucket actions on the big texture 2048x2048) and still smooth out those aliasing pixels.
Results Summary
Time to perform 4 actions on Texture sizes (less is better)
Algorithm | Small | Medium | Big |
---|---|---|---|
Recursive | 0.00526 | - | - |
Iterative | 0.00115 | 0.24998 | 1.01727 |
Iterative++ | 0.00070 | 0.19307 | 0.78658 |
Smooth (Current Version) | 0.00064 | 0.05890 | 0.24517 |