pythonimage-processingimage-morphologymathematical-morphologydilation

Adaptive grayscale dilation implementation


Given a 2D array with values ranging from 0 to n, I would like to dilate each pixel by the value it contains, higher values should overwrite lower values during dilation.

That is to say, any pixel within the radius equivalent to a pixel’s value, inherits that value if their value is less. For example, if the input is [0 1 0 2 0 0], the output would be [1 2 2 2 2 2 ].

How could this be implemented?


Solution

  • Your verbal description is exactly how you would implement the algorithm: For each pixel (let’s call its value r), examine its neighborhood, with the neighborhood’s size given by r. Within this neighborhood, set all pixels to r if their value was lower. You do need to write to an independent output image, you cannot modify the input without breaking the logic.

    This is of course implemented with a set of nested loops: first loop over each pixel in the image, and inside this loop, loop over each pixel in a neighborhood.

    Python is slow with loops, so this is not going to be efficient when written in Python. You could try using numba to speed it up. If sufficiently important, write it in a native language like C or C++.


    It is possible that, if n is small, this operation could be sped up a bit compared to the obvious implementation, using a threshold decomposition.

    The idea is that you loop over the gray-values r in the image. At each iteration, dilate the binary image img==r (which is true for pixels with the value r, false elsewhere) with an SE of size r. Next, compose the final output image by taking the element-wise maximum across the dilated images. Note that you can accumulate this final result stepwise within the loop, taking the max of the previous result and the new dilation.

    This implementation does more work, but since you are using whole-image operations, you minimize the number of Python loops, and hence (hopefully) speed up the code.