如何在OpenCV Python中更改轮廓的边界矩形值?

时间:2017-10-02 15:23:37

标签: python opencv opencv-contour

我想改变下一个轮廓宽度的值。我尝试这样做但事实证明它仍然保留了轮廓的原始值。我该怎么做呢?提前谢谢。

更新:这是我正在处理的实际代码。

temp = 0; #Holds the last element we iterated replaced value
for i,c in enumerate(contours2):
    [x, y, w, h] = cv2.boundingRect(contours2[i])

    if i in percentiles: #if the current index is in the percentiles array
        [i, j, k, l] = cv2.boundingRect(contours2[temp]) #Get contour values of element to overwrite
        k = (x+w)-i 
        temp=i+1;   
#DRAW
for c in contours2: #when I draw it the k value of the overwritten elements doesn't change,why?
    [x, y, w, h] = cv2.boundingRect(c)
    cv2.rectangle(image, (x, y), (x + w, y + h), (255, 0, 0), 2)

1 个答案:

答案 0 :(得分:0)

这里存在一种误解,纯粹用Python与OpenCV无关。请检查以下代码:

>>> a = 5
>>> b = a
>>> a = 7
>>> a
7
>>> b
5

当我设置b = a时,我设置ba具有相同的当前值,但我不是实际上为a创建了一个新的名称。这意味着稍后如果我更改a的值,则不会影响b的值。这是相关的,因为在您的代码中,您正在撰写:

[i, j, k, l] = cv2.boundingRect(contours2[temp])
k = (x+w)-i 

好像这会修改轮廓。它没有;它只是修改变量k。并且您只需在循环的每次迭代中覆盖k

此外,边界框与轮廓不同。轮廓根本没有改变,因为你没有修改contours2变量。你需要知道你是否真的想要边界框或轮廓。轮廓是轮廓形状轮廓的点列表。边界框就是这样,最小尺寸的垂直/水平框适合您的轮廓点。如果你想获取边界框并修改它,那么你应该边界框存储到一个变量中;特别是,如果您要存储多个边界框,则需要将它们存储到列表中。例如:

bounding_boxes = []
for c in contours2:
    [x, y, w, h] = cv2.boundingRect(c)
    bounding_boxes.append([x, y, w, h])

这将为您提供一个列表,其中i元素是i轮廓周围的边界框。如果要修改存储的边界框,只需在将其附加到列表之前执行:

bounding_boxes = []
for c in contours2:
    [x, y, w, h] = cv2.boundingRect(c)
    w = w*2
    bounding_boxes.append([x, y, w, h])

您的代码应该做的事情对我来说并不完全清楚,因此我无法为您提供固定版本,但希望这会让您朝着正确的方向前进。