Search code examples
pythonopencvmask

Masks for image with OpenCV (Python)


I made this code which creates 2 masks. When applied, the result is this:

Original image original

Output output

import cv2
import numpy as np

frame = cv2.imread('image.jpg')

h, w = frame.shape[:2]

upper_value = int(h / 10) * 5
lower_value = -(int(h / 10) * 3)

upper_mask = cv2.rectangle(frame, (0, 0), (w, upper_value), (0, 50, 255), -1)
lower_mask = cv2.rectangle(frame, (0, upper_value + int(h / 10) * 5), (w, upper_value + int(h / 10) * 2), (0, 50, 255), -1)

I know the code it's not good at all but does its job. How can I improve it?


Solution

  • Here are some suggestions:

    import cv2
    import numpy as np
    
    frame = cv2.imread('image.jpg')
    
    h, w = frame.shape[:2]
    mask_color = (0, 50, 255) # isolate a repeating constant
    
    # avoid setting a variable that is used only once, only if you REALLY need it to improve readability
    # that's why `upper_value` and `lower_value` were removed. 
    # BTW, `lower_value` was unused in your code.
    
    upper_mask = cv2.rectangle(frame, (0, 0), (w, int(0.5 * h)), mask_color, -1)
    lower_mask = cv2.rectangle(frame, (0, h), (w, int(0.7 * h)), mask_color, -1)