import cv2 # 读取图片 img = cv2.imread('test.jpg') # 绘制矩形轮廓 cv2.rectangle(img, (x1, y1), (x2, y2), (0, 255, 0), 2) # 显示图片 cv2.imshow('image', img) cv2.waitKey(0) cv2.destroyAllWindows() 怎么保存画完矩形的图片
时间: 2024-03-25 08:37:40 浏览: 172
您可以使用cv2库提供的imwrite()函数来保存画完矩形的图片。以下是一个简单的示例代码:
```python
import cv2
# 读取图片
img = cv2.imread('test.jpg')
# 绘制矩形轮廓
cv2.rectangle(img, (x1, y1), (x2, y2), (0, 255, 0), 2)
# 保存图像
cv2.imwrite('output.jpg', img)
# 显示图片
cv2.imshow('image', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
在这个例子中,我们使用cv2库的imwrite()函数将画完矩形的图片保存为JPEG格式的图像文件。您可以更改文件名和文件格式以适应您的需求。注意,保存图像的代码应该在显示图像的代码之前,否则可能会出现问题。
相关问题
cv2.rectangle 随机画不同颜色的框
可以使用Python中的random模块来生成随机颜色,然后再使用cv2.rectangle函数来画框。以下是一个示例代码:
```python
import cv2
import random
# 生成随机颜色
def random_color():
return (random.randint(0, 255), random.randint(0, 255), random.randint(0, 255))
# 读取图片
img = cv2.imread('test.jpg')
# 随机画不同颜色的框
for i in range(5):
x1 = random.randint(0, img.shape[1] - 100)
y1 = random.randint(0, img.shape[0] - 100)
x2 = x1 + random.randint(50, 100)
y2 = y1 + random.randint(50, 100)
cv2.rectangle(img, (x1, y1), (x2, y2), random_color(), thickness=2)
# 显示图片
cv2.imshow('image', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
在这个示例代码中,首先定义了一个函数`random_color()`,用于生成随机颜色。然后读取了一张测试图片,使用循环随机生成5个矩形框,并使用cv2.rectangle函数画框。最后显示生成的图片。
左上坐标(x1,y1),右下坐标(x2,y2).如何用opencv找到图片中指定位置然后绘制矩形到正好符合要求的轮廓
可以使用OpenCV中的cv2.rectangle函数来绘制矩形轮廓。具体步骤如下:
1. 读取图片,使用cv2.imread函数。
2. 使用cv2.cvtColor函数将图片转换为灰度图像。
3. 使用cv2.threshold函数将灰度图像二值化,得到目标区域的二值图像。
4. 使用cv2.findContours函数找到目标区域的轮廓。
5. 遍历轮廓,使用cv2.boundingRect函数获取每个轮廓的外接矩形。
6. 判断每个外接矩形是否符合要求,如果符合要求则使用cv2.rectangle函数绘制矩形轮廓。
以下是示例代码:
```python
import cv2
# 读取图片
img = cv2.imread('test.jpg')
# 转换为灰度图像
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# 二值化
ret, thresh = cv2.threshold(gray, 127, 255, cv2.THRESH_BINARY)
# 查找轮廓
contours, hierarchy = cv2.findContours(thresh, cv2.RETR_TREE, cv2.CHAIN_APPROX_SIMPLE)
# 遍历轮廓
for contour in contours:
# 获取外接矩形
x, y, w, h = cv2.boundingRect(contour)
# 判断是否符合要求
if x == x1 and y == y1 and x + w == x2 and y + h == y2:
# 绘制矩形轮廓
cv2.rectangle(img, (x, y), (x + w, y + h), (0, 255, 0), 2)
# 显示图片
cv2.imshow('image', img)
cv2.waitKey(0)
cv2.destroyAllWindows()
```
其中,(x1,y1)和(x2,y2)分别为目标区域的左上和右下坐标。在代码中,我们先将图片转换为灰度图像,然后使用cv2.threshold函数将灰度图像二值化,得到目标区域的二值图像。接着使用cv2.findContours函数找到目标区域的轮廓,然后遍历每个轮廓,使用cv2.boundingRect函数获取外接矩形,并判断是否符合要求。如果符合要求,则使用cv2.rectangle函数绘制矩形轮廓。最后使用cv2.imshow函数显示图片。
阅读全文