我有一个漂亮的框架,需要将图像插入此框架。
此框架
这张图片
Python代码
frame = Image.open("pathToFirstImage")
image = Image.open("pathToSecondImage")
frame.paste(image, (0,0))
frame.show()
frame.save("output image path")
如何插入以红色轮廓框住的图像。
轮廓角是已知的。 (我在photoshop中看过)
答案 0 :(得分:1)
我怀疑只能通过使用PIL / Pillow来完成此任务,至少在您要自动寻找红色框等的情况下如此。
因此,如果可以选择使用OpenCV,我建议使用一些颜色阈值和cv2.findContours
的以下解决方案。例如,这种方法也应该可以转移到skimage。
import cv2
import numpy as np
from skimage import io # Only needed for web grabbing images; use cv2.imread(...) for local images
# Read images
frame = cv2.cvtColor(io.imread('https://i.stack.imgur.com/gVf0a.png'), cv2.COLOR_RGB2BGR)
image = cv2.cvtColor(io.imread('https://i.stack.imgur.com/Vw5Rc.jpg'), cv2.COLOR_RGB2BGR)
# Color threshold red frame; single color here, more sophisticated solution would be using cv2.inRange
mask = 255 * np.uint8(np.all(frame == [36, 28, 237], axis=2))
# Find inner contour of frame; get coordinates
contours, _ = cv2.findContours(mask, cv2.RETR_LIST, cv2.CHAIN_APPROX_SIMPLE)
cnt = min(contours, key=cv2.contourArea)
(x, y, w, h) = cv2.boundingRect(cnt)
# Copy appropriately resized image to frame
frame[y:y+h, x:x+w] = cv2.resize(image, (w, h))
cv2.imshow('frame', frame)
cv2.waitKey(0)
cv2.destroyAllWindows()
如注释中所述,在此示例中,通过简单地检查帧的特定BGR值来完成颜色阈值设置。一种更复杂的解决方案是将帧转换为HSV / HSL颜色空间,然后使用cv2.inRange
。有关此内容的介绍,请参见one of my earlier answers。
以上脚本的输出如下:
希望有帮助!