implementing erosion, dilation in C, C++

后端 未结 4 1047
陌清茗
陌清茗 2021-02-06 06:23

I have theoretical understanding of how dilation in binary image is done.

AFAIK, If my SE (structuring element) is this

0 1
1 1. 

wher

4条回答
  •  旧巷少年郎
    2021-02-06 06:55

    There are tons of sample implementations out there.. Google is your friend :)

    EDIT
    The following is a pseudo-code of the process (very similar to doing a convolution in 2D). Im sure there are more clever way to doing it:

    // grayscale image, binary mask
    void morph(inImage, outImage, kernel, type) {
     // half size of the kernel, kernel size is n*n (easier if n is odd)
     sz = (kernel.n - 1 ) / 2;
    
     for X in inImage.rows {
      for Y in inImage.cols {
    
       if ( isOnBoundary(X,Y, inImage, sz) ) {
        // check if pixel (X,Y) for boundary cases and deal with it (copy pixel as is)
        // must consider half size of the kernel
        val = inImage(X,Y);       // quick fix
       }
    
       else {
        list = [];
    
        // get the neighborhood of this pixel (X,Y)
        for I in kernel.n {
         for J in kernel.n {
          if ( kernel(I,J) == 1 ) {
           list.add( inImage(X+I-sz, Y+J-sz) );
          }
         }
        }
    
        if type == dilation {
         // dilation: set to one if any 1 is present, zero otherwise
         val = max(list);
        } else if type == erosion {
         // erosion: set to zero if any 0 is present, one otherwise
         val = min(list);
        }
       }
    
       // set output image pixel
       outImage(X,Y) = val;
      }
     }
    }
    

    The above code is based on this tutorial (check the source code at the end of the page).


    EDIT2:

    list.add( inImage(X+I-sz, Y+J-sz) );

    The idea is that we want to superimpose the kernel mask (of size nxn) centered at sz (half size of mask) on the current image pixel located at (X,Y), and then just get the intensities of the pixels where the mask value is one (we are adding them to a list). Once extracted all the neighbors for that pixel, we set the output image pixel to the maximum of that list (max intensity) for dilation, and min for erosion (of course this only work for grayscale images and binary mask)
    The indices of both X/Y and I/J in the statement above are assumed to start from 0. If you prefer, you can always rewrite the indices of I/J in terms of half the size of the mask (from -sz to +sz) with a small change (the way the tutorial I linked to is using)...


    Example:
    Consider this 3x3 kernel mask placed and centered on pixel (X,Y), and see how we traverse the neighborhood around it:

     --------------------
    |      |       |     |    sz = 1;
     --------------------     for (I=0 ; I<3 ; ++I)
    |      | (X,Y) |     |      for (J=0 ; J<3 ; ++J)
     --------------------         vect.push_back( inImage.getPixel(X+I-sz, Y+J-sz) );
    |      |       |     |
     --------------------
    

提交回复
热议问题