我有两个人的形象。二进制图像只包含黑白像素。
首先,我想遍历所有像素,并在图像中找到白色像素。
比我想做的是我想为某个白色像素找到[x,y]。
之后我想在图像中使用特定的[x,y],这是图像中的白色像素。
使用[x,y]的坐标我希望将相邻的黑色像素转换为白色像素。不是整个形象。
我想在这里发布图片,但遗憾的是我无法发布。我希望我的问题现在可以理解。在下图中,您可以看到边缘。
例如说鼻子的边缘我发现使用[x,y]的循环而不是将所有相邻的黑色像素变成白色像素。
答案 0 :(得分:3)
所描述的操作称为扩张,来自数学形态学。例如,您可以使用scipy.ndimage.binary_dilation
或实现自己的。
以下是两种形式(一种是简单的实现),您可以检查生成的图像是否相同:
import sys
import numpy
from PIL import Image
from scipy import ndimage
img = Image.open(sys.argv[1]).convert('L') # Input is supposed to the binary.
width, height = img.size
img = img.point(lambda x: 255 if x > 40 else 0) # "Ignore" the JPEG artifacts.
# Dilation
im = numpy.array(img)
im = ndimage.binary_dilation(im, structure=((0, 1, 0), (1, 1, 1), (0, 1, 0)))
im = im.view(numpy.uint8) * 255
Image.fromarray(im).save(sys.argv[2])
# "Other operation"
im = numpy.array(img)
white_pixels = numpy.dstack(numpy.nonzero(im != 0))[0]
for y, x in white_pixels:
for dy, dx in ((-1,0),(0,-1),(0,1),(1,0)):
py, px = dy + y, dx + x
if py >= 0 and px >= 0 and py < height and px < width:
im[py, px] = 255
Image.fromarray(im).save(sys.argv[3])