在OpenCV中裁剪图像的一半



如何裁剪图像并只保留图像的下半部分?

我试过了:

Mat cropped frame = frame(Rect(frame.cols/2, 0, frame.cols, frame.rows/2));

但它给了我一个错误。

我也试过:

double min, max;
Point min_loc, max_loc;
minMaxLoc(frame, &min, &max, &min_loc, &max_loc);
int x = min_loc.x + (max_loc.x - min_loc.x) / 2;
Mat croppedframe = = frame(Rect(x, min_loc.y, frame.size().width, frame.size().height / 2));

但效果不太好。

这里有一个适合初学者的python版本。

def crop_bottom_half(image):
    cropped_img = image[image.shape[0]/2:image.shape[0]]
    return cropped_img

Rect函数参数为Rect(x, y, width, height)。在OpenCV中,数据的组织方式是第一个像素在左上角,因此rect应该是:

Mat croppedFrame = frame(Rect(0, frame.rows/2, frame.cols, frame.rows/2));

要快速复制粘贴:

image = YOURIMAGEHERE #note: image needs to be in the opencv format
height, width, channels = image.shape
croppedImage = image[int(height/2):height, 0:width] #this line crops

解释

在OpenCV中,要选择图像的一部分,只需从图像中选择开始和结束像素即可。意思是:

image[yMin:yMax, xMin:xMax]

在人类语言中:yMin=顶部|yMax=底部|xMin=左侧|xMax=右侧|

":"表示从:左侧的值到右侧的值

为了保持下半部分,我们只需执行[int(yMax/2):yMax, xMin:xMax],即从图像的一半到底部。x是最大宽度的0。

请记住,OpenCV从图像的左上角开始,增加Y值意味着向下。

要获得图像的宽度和高度,你可以做image.shape,它给出了3个值:

yMax,xMax, amount of channels,您可能不会使用这些频道。为了只获得高度和宽度,你也可以做:

高度,宽度=图像形状[0:2]

这也被称为获取感兴趣区域或ROI

相关内容

  • 没有找到相关文章

最新更新