Skip to content Skip to sidebar Skip to footer

How To Combine A Rgb Image With A Grayed Image In Opencv?

I refered this link to combine two images, and it works if both images are being RGB formated Combining Two Images with OpenCV The question is how to combine a RGB image with a Gra

Solution 1:

RGB images are 3-dimensional whereas grayscale images are 2-dimensional. In order for the combination to be possible, you need to add one dimension to the grayscale image. If x is a 2-dimensional array x, the simplest way to transform it into a 3-dimensional array is x[:, :, None]. Alternatively, you could use NumPy's atleast_3D.

The code below gets the job done using NumPy and scikit-image libraries:

import numpy as np
from skimage import io

rgb = io.imread('https://i.stack.imgur.com/R6X5p.jpg')
gray = io.imread('https://i.stack.imgur.com/f27t5.png')

rows_rgb, cols_rgb, channels = rgb.shape
rows_gray, cols_gray = gray.shape

rows_comb = max(rows_rgb, rows_gray)
cols_comb = cols_rgb + cols_gray
comb = np.zeros(shape=(rows_comb, cols_comb, channels), dtype=np.uint8)

comb[:rows_rgb, :cols_rgb] = rgb
comb[:rows_gray, cols_rgb:] = gray[:, :, None]

io.imshow(comb)

lions

It is important to note that the example above assumes that both images are of type np.uint8. If not, you should use appropriate type conversions.

Post a Comment for "How To Combine A Rgb Image With A Grayed Image In Opencv?"