a working non-recursive floodfill algorithm written in C?

后端 未结 12 2220
日久生厌
日久生厌 2020-12-02 23:39

I\'ve been trying to find a working floodfill algorithm. Of the many algorithms I\'ve tried only the \'recursive line fill\' one behaves exactly as it should with the major

相关标签:
12条回答
  • 2020-12-03 00:25

    I do not know if my answer is perfectly relevant to the question you put, but hereafter I propose my C version of the Flood-Fill algorithm, which does not use recursive calls.

    1-11-2017: NEW-VERSION; SUCCESFULLY TESTED WITH TWO BITMAPS.

    It uses only a queue of the offsets of the new points, it works on the window: WinnOffs-(WinDimX,WinDimY) of the double-buffer: *VBuffer (copy of the screen or image) and, optionally, it write a mask of the flood-fill's result (*ExtraVBuff). ExtraVBuff must be filled it with 0 before the call (if you don't need a mask you may set ExtraVBuff= NULL); using it after call you can do gradient floodfill or other painting effects. NewFloodFill works with 32 Bit per Pixel and it is a C function. I've reinvented this algorithm in 1991 (I wrote his in Pascal), but now it works in C with 32 Bit per Pixel; also not uses any functions calls, does only a division after each "pop" from queue, and never overflows the queue, that, if it is sized in the right way (about 1/4 of the pixels of the image), it allows always to fill correctly any area; I show before the c-function (FFILL.C), after the test program (TEST.C):

    #define IMAGE_WIDTH 1024
    #define IMAGE_HEIGHT 768
    #define IMAGE_SIZE IMAGE_WIDTH*IMAGE_HEIGHT
    #define QUEUE_MAX IMAGE_SIZE/4
    
    typedef int T_Queue[QUEUE_MAX];
    typedef int T_Image[IMAGE_SIZE];
    
    void NewFloodFill(int X,
                      int Y,
                      int Color,
                      int BuffDimX,
                      int WinOffS,
                      int WinDimX,
                      int WinDimY,
                      T_Image VBuffer,
                      T_Image ExtraVBuff,
                      T_Queue MyQueue)
    
    /* Replaces all pixels adjacent to the first pixel and equal to this;   */
    /* if ExtraVBuff == NULL writes to *VBuffer (eg BUFFER of 786432 Pixel),*/
    /* otherwise prepare a mask by writing on *ExtraVBuff (such BUFFER must */
    /* always have the same size as *VBuffer (it must be initialized to 0)).*/
    
    /*         X,Y: Point coordinates' of origin of the flood-fill.         */
    /*     WinOffS: Writing start offset on *VBuffer and *ExtraVBuff.       */
    /*    BuffDimX: Width, in number of Pixel (int), of each buffer.        */
    /*     WinDimX: Width, in number of Pixel (int), of the window.         */
    /*       Color: New color that replace all_Pixel == origin's_point.     */
    /*     WinDimY: Height, in number of Pixel (int), of the window.        */
    /*     VBuffer: Pointer to the primary buffer.                          */
    /*  ExtraVBuff: Pointer to the mask buffer (can be = NULL).             */
    /*     MyQueue: Pointer to the queue, containing the new-points' offsets*/
    
    {
     int VBuffCurrOffs=WinOffS+X+Y*BuffDimX;
     int PixelIn=VBuffer[VBuffCurrOffs];
     int QueuePnt=0;
     int *TempAddr=((ExtraVBuff) ? ExtraVBuff : VBuffer);
     int TempOffs1;
     int TempX1;
     int TempX2;
     char FLAG;
    
     if (0<=X && X<WinDimX && 0<=Y && Y<WinDimY) do
      {
       /* Fill to left the current line */
       TempX2=X;
       while (X>=0 && PixelIn==VBuffer[VBuffCurrOffs])
        {
         TempAddr[VBuffCurrOffs--]=Color;
         --X;
        }
       TempOffs1=VBuffCurrOffs+1;
       TempX1=X+1;
    
       /* Fill to right the current line */
       VBuffCurrOffs+=TempX2-X;
       X=TempX2;
       while (X+1<WinDimX && PixelIn==VBuffer[VBuffCurrOffs+1])
        {
         ++X;
         TempAddr[++VBuffCurrOffs]=Color;
        }
       TempX2=X;
    
       /* Backward scan of the previous line; puts new points offset in Queue[] */
       if (Y>0)
        {
         FLAG=1;
         VBuffCurrOffs-=BuffDimX;
         while (X-->=TempX1)
          {
           if (PixelIn!=VBuffer[VBuffCurrOffs] ||
               ExtraVBuff && Color==ExtraVBuff[VBuffCurrOffs])
            FLAG=1;
           else
           if (FLAG)
            {
             FLAG=0;
             if (QueuePnt<QUEUE_MAX)
              MyQueue[QueuePnt++]=VBuffCurrOffs;
            } 
           --VBuffCurrOffs;
          }
        }
    
       /* Forward scan of the next line; puts new points offset in Queue[] */
       if (Y<WinDimY-1)
        {
         FLAG=1;
         VBuffCurrOffs=TempOffs1+BuffDimX;
         X=TempX1;
         while (X++<=TempX2)
          {
           if (PixelIn!=VBuffer[VBuffCurrOffs] ||
               ExtraVBuff && Color==ExtraVBuff[VBuffCurrOffs])
            FLAG=1;
           else
           if (FLAG)
            {
             FLAG=0;
             if (QueuePnt<QUEUE_MAX)
              MyQueue[QueuePnt++]=VBuffCurrOffs;
            }
           ++VBuffCurrOffs;
          }
        }
    
       /* Gets a new point offset from Queue[] */ 
       if (--QueuePnt>=0)
        {
         VBuffCurrOffs=MyQueue[QueuePnt];
         TempOffs1=VBuffCurrOffs-WinOffS;
         X=TempOffs1%BuffDimX;
         Y=TempOffs1/BuffDimX;
        }
    
      /* Repeat the main cycle until the Queue[] is not empty */
      } while (QueuePnt>=0);
    }
    

    Here there is the test program:

    #include <stdio.h>
    #include <malloc.h>
    #include "ffill.c"
    
    #define RED_COL 0xFFFF0000
    #define WIN_LEFT 52
    #define WIN_TOP 48
    #define WIN_WIDTH 920
    #define WIN_HEIGHT 672
    #define START_LEFT 0
    #define START_TOP 671
    
    #define BMP_HEADER_SIZE 54
    
    typedef char T_Image_Header[BMP_HEADER_SIZE];
    void main(void)
    {
    
     T_Image_Header bmpheader;
     T_Image *image;
     T_Image *mask;
     T_Queue *MyQueue;
    
     FILE *stream;
     char *filename1="ffill1.bmp";
     char *filename2="ffill2.bmp";
     char *filename3="ffill3.bmp";
     int bwritten;
     int bread;
    
     image=malloc(sizeof(*image));
     mask=malloc(sizeof(*mask));
     MyQueue=malloc(sizeof(*MyQueue));
    
     stream=fopen(filename1,"rb");
     bread=fread(&bmpheader, 1, BMP_HEADER_SIZE, stream);
     bread=fread((char *)image, 1, IMAGE_SIZE<<2, stream);
     fclose(stream);
    
     memset(mask,0,IMAGE_SIZE<<2);
    
     NewFloodFill(START_LEFT,
                  START_TOP,
                  RED_COL,
                  IMAGE_WIDTH,
                  IMAGE_WIDTH*WIN_TOP+WIN_LEFT,
                  WIN_WIDTH,
                  WIN_HEIGHT,
                  *image,
                  NULL,
                  *MyQueue);
    
     stream=fopen(filename2,"wb+");
     bwritten=fwrite(&bmpheader, 1, BMP_HEADER_SIZE, stream);
     bwritten=fwrite((char *)image, 1, IMAGE_SIZE<<2, stream);
     fclose(stream);
    
     stream=fopen(filename3,"wb+");
     bwritten=fwrite(&bmpheader, 1, BMP_HEADER_SIZE, stream);
     bwritten=fwrite((char *)mask, 1, IMAGE_SIZE<<2, stream);
     fclose(stream);
    
     free(MyQueue);
     free(mask);
     free(image);
    }
    

    I've used, for the input of the test program shown, the follow Windows uncompressed .BMP image (ffill1.bmp):

    Filled, by the test program shown, as follows (ffill2.bmp):

    Using "mask" instead of NULL, the output bitmap is (ffill3.bmp):

    0 讨论(0)
  • 2020-12-03 00:26

    You can quickly convert a recursive flood fill into an ultra-performant pseudo-recursive... Don't edit the lines,just add new lines: place the recursive function in an XY loop for added structure. record the found neighbors to a "found neighbors array" instead of memory, so you will start packing the 4-16-64 style tree of the recursion into an XY array. memory usage goes from 1 gygabyte to 2 megabytes. Also use a 2D array called "filled neighbors array"... abort the function for any pixels marked as filled in the "filled neighbors array", this uses 2 instructions for every duplicate, 20 instructions for every floodfill operation, and it iteratively fills leftwards and upwards like dominoes, insanely quickly.

    1024x1024 uses about 1million *20 instructions which is 0.1 seconds for a single core.

    I achieve 9 million filled pixels per second on an i7 in this way, i have a video as proof, and a blog page with code and theory explanations:

    www.youtube.com/watch?v=4hQ1wA4Sl4c

    and here is a page where I attempted to explain how it works. http://unity3dmc.blogspot.com/2017/02/ultimate-3d-floodfill-scanline.html?m=1

    And the code.

    Recursions would be the fastest if they could stay organized.

    If you recurse through a grid of data (image) you can store the processing of the recursions in grid format too, because the processed steps represent pixels from the grid, rather than explode the results into a tree format.

    0 讨论(0)
  • 2020-12-03 00:27

    I found this fill by Paul Heckbert to be the simplest non-recursive C implementation:

    /*
     * A Seed Fill Algorithm
     * by Paul Heckbert
     * from "Graphics Gems", Academic Press, 1990
     *
     * user provides pixelread() and pixelwrite() routines
     */
    
    /*
     * fill.c : simple seed fill program
     * Calls pixelread() to read pixels, pixelwrite() to write pixels.
     *
     * Paul Heckbert    13 Sept 1982, 28 Jan 1987
     */
    
    typedef struct {        /* window: a discrete 2-D rectangle */
        int x0, y0;         /* xmin and ymin */
        int x1, y1;         /* xmax and ymax (inclusive) */
    } Window;
    
    typedef int Pixel;      /* 1-channel frame buffer assumed */
    
    Pixel pixelread(int x, int y);
    void pixelwrite(int x, int y, Pixel p);
    
    typedef struct {short y, xl, xr, dy;} Segment;
    /*
     * Filled horizontal segment of scanline y for xl<=x<=xr.
     * Parent segment was on line y-dy.  dy=1 or -1
     */
    
    #define MAX 10000       /* max depth of stack */
    
    #define PUSH(Y, XL, XR, DY) /* push new segment on stack */ \
        if (sp<stack+MAX && Y+(DY)>=win->y0 && Y+(DY)<=win->y1) \
        {sp->y = Y; sp->xl = XL; sp->xr = XR; sp->dy = DY; sp++;}
    
    #define POP(Y, XL, XR, DY)  /* pop segment off stack */ \
        {sp--; Y = sp->y+(DY = sp->dy); XL = sp->xl; XR = sp->xr;}
    
    /*
     * fill: set the pixel at (x,y) and all of its 4-connected neighbors
     * with the same pixel value to the new pixel value nv.
     * A 4-connected neighbor is a pixel above, below, left, or right of a pixel.
     */
    
    void fill(x, y, win, nv)
    int x, y;   /* seed point */
    Window *win;    /* screen window */
    Pixel nv;   /* new pixel value */
    {
        int l, x1, x2, dy;
        Pixel ov;   /* old pixel value */
        Segment stack[MAX], *sp = stack;    /* stack of filled segments */
    
        ov = pixelread(x, y);       /* read pv at seed point */
        if (ov==nv || x<win->x0 || x>win->x1 || y<win->y0 || y>win->y1) return;
        PUSH(y, x, x, 1);           /* needed in some cases */
        PUSH(y+1, x, x, -1);        /* seed segment (popped 1st) */
    
        while (sp>stack) {
        /* pop segment off stack and fill a neighboring scan line */
        POP(y, x1, x2, dy);
        /*
         * segment of scan line y-dy for x1<=x<=x2 was previously filled,
         * now explore adjacent pixels in scan line y
         */
        for (x=x1; x>=win->x0 && pixelread(x, y)==ov; x--)
            pixelwrite(x, y, nv);
        if (x>=x1) goto skip;
        l = x+1;
        if (l<x1) PUSH(y, l, x1-1, -dy);        /* leak on left? */
        x = x1+1;
        do {
            for (; x<=win->x1 && pixelread(x, y)==ov; x++)
            pixelwrite(x, y, nv);
            PUSH(y, l, x-1, dy);
            if (x>x2+1) PUSH(y, x2+1, x-1, -dy);    /* leak on right? */
    skip:       for (x++; x<=x2 && pixelread(x, y)!=ov; x++);
            l = x;
        } while (x<=x2);
        }
    }
    

    source: https://github.com/erich666/GraphicsGems/blob/master/gems/SeedFill.c

    0 讨论(0)
  • 2020-12-03 00:30

    We noticed that our floodfill implementation on 3d volumes was consuming way much memory; so we modified the code in the following ways (there was a vast improvement):

    1. Create a sphere of radius = 10 voxs around the starting point, and mark all the voxels within that radius as "to be visited"

    2. If the current voxel > threshold, insert 1.

    3. Go to the neighbors [+1, -1, 0] (also check that one doesn't revisit any voxel), if the neighbor.getVoxVal = 0 (the initialization value for the target volume), then it falls at the boundary of the sphere, insert the coordinates in a different stack. (this would be the starting point for our next sphere)

    4. radius = radius + 10 (voxels)

    So at a time, our floodfill is working on a concentric sphere and filling things up, which is a part of the entire volume, and as I said, this has reduced the memory consumption drastically, but I am still searching for an implementation/idea that would be better.

    0 讨论(0)
  • 2020-12-03 00:34

    Just implement a stack of int pairs with an array of some fixed size (maybe the size of the image in pixels or the square root of that, for example) for the stack and track the top with an int.

    Here is some C# code that implements floodfill non-recursively:

    private static void Floodfill(byte[,] vals, Point q, byte SEED_COLOR, byte COLOR)
    {
        int h = vals.GetLength(0);
        int w = vals.GetLength(1);
    
        if (q.Y < 0 || q.Y > h - 1 || q.X < 0 || q.X > w - 1)
            return;
    
        Stack<Point> stack = new Stack<Point>();
        stack.Push(q);
        while (stack.Count > 0)
        {
            Point p = stack.Pop();
            int x = p.X;
            int y = p.Y;
            if (y < 0 || y > h - 1 || x < 0 || x > w - 1)
                continue;
            byte val = vals[y, x];
            if (val == SEED_COLOR)
            {
                vals[y, x] = COLOR;
                stack.Push(new Point(x + 1, y));
                stack.Push(new Point(x - 1, y));
                stack.Push(new Point(x, y + 1));
                stack.Push(new Point(x, y - 1));
            }
        }
    }
    
    0 讨论(0)
  • 2020-12-03 00:35

    Below is my BFS based iterative c++ method for the flood fill problem:

    // M is the input matrix, with every entry(pixel) have a color
    // represented with an integer value.
    // (x, y) row and column of seed point respectively
    // k: The new color to fill the seed and its adjacent pixels
    void floodFill(vector<vector<int>> &M, int x, int y, int k) {
        queue<pair<int, int>> nodeQ;
        nodeQ.push({x, y});
        int oldCol = M[x][y];
        while(!nodeQ.empty()) {
            pair<int, int> currNode = nodeQ.front();
            nodeQ.pop();
            if(M[currNode.first][currNode.second] == oldCol) {
                M[currNode.first][currNode.second] = k;
                if(currNode.first > 0) nodeQ.push({currNode.first-1, currNode.second});
                if(currNode.first < (M.size()-1)) nodeQ.push({currNode.first+1, currNode.second});
                if(currNode.second > 0) nodeQ.push({currNode.first, currNode.second-1});
                if(currNode.second < (M[0].size()-1)) nodeQ.push({currNode.first, currNode.second+1});
            }
        }
    }
    
    0 讨论(0)
提交回复
热议问题