以下是如何在一组轮廓之外用黑色填充图像:
import cv2
import numpy
img = cv2.imread("zebra.jpg")
stencil = numpy.zeros(img.shape).astype(img.dtype)
contours = [numpy.array([[100, 180], [200, 280], [200, 180]]), numpy.array([[280, 70], [12, 20], [80, 150]])]
color = [255, 255, 255]
cv2.fillPoly(stencil, contours, color)
result = cv2.bitwise_and(img, stencil)
cv2.imwrite("result.jpg", result)
data:image/s3,"s3://crabby-images/c60f8/c60f8c7b2873fd723838fd5cc4cf134766531487" alt="在此处输入图像描述"
UPD.:上面的代码利用了 0-s 产生 0-s 的事实bitwise_and
,并且不适用于黑色以外的填充颜色。填充任意颜色:
import cv2
import numpy
img = cv2.imread("zebra.jpg")
fill_color = [127, 256, 32] # any BGR color value to fill with
mask_value = 255 # 1 channel white (can be any non-zero uint8 value)
# contours to fill outside of
contours = [ numpy.array([ [100, 180], [200, 280], [200, 180] ]),
numpy.array([ [280, 70], [12, 20], [80, 150]])
]
# our stencil - some `mask_value` contours on black (zeros) background,
# the image has same height and width as `img`, but only 1 color channel
stencil = numpy.zeros(img.shape[:-1]).astype(numpy.uint8)
cv2.fillPoly(stencil, contours, mask_value)
sel = stencil != mask_value # select everything that is not mask_value
img[sel] = fill_color # and fill it with fill_color
cv2.imwrite("result.jpg", img)
data:image/s3,"s3://crabby-images/79d2b/79d2bc483fdfea79562ae963edbd0dd83bccb248" alt="在此处输入图像描述"
也可以用另一个图像填充,例如,使用img[sel] = ~img[sel]
而不是img[sel] = fill_color
会用轮廓外的相同倒置图像填充它:
data:image/s3,"s3://crabby-images/cadc8/cadc8ff19b06443e6cc1044c6da45da0171c10af" alt="在此处输入图像描述"