【发布时间】:2011-05-19 06:48:28
【问题描述】:
如何用一种纯色填充 OpenCV 图像?
【问题讨论】:
如何用一种纯色填充 OpenCV 图像?
【问题讨论】:
将 OpenCV C API 与 IplImage* img 一起使用:
使用cvSet():cvSet(img, CV_RGB(redVal,greenVal,blueVal));
将 OpenCV C++ API 与 cv::Mat img 一起使用,然后使用:
cv::Mat::operator=(const Scalar& s) 如:
img = cv::Scalar(redVal,greenVal,blueVal);
或the more general, mask supporting, cv::Mat::setTo():
img.setTo(cv::Scalar(redVal,greenVal,blueVal));
【讨论】:
BGR 是正确的,尽管这与此答案不太相关。跟踪频道顺序通常是用户的责任。
下面是如何在 Python 中使用 cv2:
# Create a blank 300x300 black image
image = np.zeros((300, 300, 3), np.uint8)
# Fill image with red color(set each pixel to red)
image[:] = (0, 0, 255)
这里有一个更完整的例子,如何创建一个新的填充了某种 RGB 颜色的空白图像
import cv2
import numpy as np
def create_blank(width, height, rgb_color=(0, 0, 0)):
"""Create new image(numpy array) filled with certain color in RGB"""
# Create black blank image
image = np.zeros((height, width, 3), np.uint8)
# Since OpenCV uses BGR, convert the color first
color = tuple(reversed(rgb_color))
# Fill image with color
image[:] = color
return image
# Create new blank 300x300 red image
width, height = 300, 300
red = (255, 0, 0)
image = create_blank(width, height, rgb_color=red)
cv2.imwrite('red.jpg', image)
【讨论】:
最简单的是使用 OpenCV Mat 类:
img=cv::Scalar(blue_value, green_value, red_value);
其中img 被定义为cv::Mat。
【讨论】:
创建一个新的 640x480 图像并用紫色(红色+蓝色)填充它:
cv::Mat mat(480, 640, CV_8UC3, cv::Scalar(255,0,255));
注意:
【讨论】:
使用numpy.full。这是一个创建灰色、蓝色、绿色和红色图像并以 2x2 网格显示的 Python。
import cv2
import numpy as np
gray_img = np.full((100, 100, 3), 127, np.uint8)
blue_img = np.full((100, 100, 3), 0, np.uint8)
green_img = np.full((100, 100, 3), 0, np.uint8)
red_img = np.full((100, 100, 3), 0, np.uint8)
full_layer = np.full((100, 100), 255, np.uint8)
# OpenCV goes in blue, green, red order
blue_img[:, :, 0] = full_layer
green_img[:, :, 1] = full_layer
red_img[:, :, 2] = full_layer
cv2.imshow('2x2_grid', np.vstack([
np.hstack([gray_img, blue_img]),
np.hstack([green_img, red_img])
]))
cv2.waitKey(0)
cv2.destroyWindow('2x2_grid')
【讨论】:
对于 8 位 (CV_8U) OpenCV 图像,语法为:
Mat img(Mat(nHeight, nWidth, CV_8U);
img = cv::Scalar(50); // or the desired uint8_t value from 0-255
【讨论】:
color=(200, 100, 255) # sample of a color
img = np.full((100, 100, 3), color, np.uint8)
【讨论】:
如果你使用 Java for OpenCV,那么你可以使用下面的代码。
Mat img = src.clone(); //Clone from the original image
img.setTo(new Scalar(255,255,255)); //This sets the whole image to white, it is R,G,B value
【讨论】:
我亲自编写了这个 python 代码来更改使用 openCV 打开或创建的整个图像的颜色。不够好见谅,我是初学者??。
def OpenCvImgColorChanger(img,blue = 0,green = 0,red = 0):
line = 1
ImgColumn = int(img.shape[0])-2
ImgRaw = int(img.shape[1])-2
for j in range(ImgColumn):
for i in range(ImgRaw):
if i == ImgRaw-1:
line +=1
img[line][i][2] = int(red)
img[line][i][1] = int(green)
img[line][i][0] = int(blue)
【讨论】: