How to convert a grayscale image to heatmap image with Python OpenCV

后端 未结 2 558
轮回少年
轮回少年 2020-12-18 08:43

I have a (540, 960, 1) shaped image with values ranging from [0..255] which is black and white. I need to convert it to a \"heatmap\" representatio

相关标签:
2条回答
  • 2020-12-18 09:29

    You need to convert the image to a proper grayscale representation. This can be done a few ways, particularly with imread(filename, cv2.IMREAD_GRAYSCALE). This reduces the shape of the image to (54,960) (hint, no third dimension).

    0 讨论(0)
  • 2020-12-18 09:46

    Here are two methods, one using Matplotlib and one using only OpenCV

    Method #1: OpenCV + matplotlib.pyplot.get_cmap

    To implement a grayscale (1-channel) -> heatmap (3-channel) conversion, we first load in the image as grayscale. By default, OpenCV reads in an image as 3-channel, 8-bit BGR. We can directly load in an image as grayscale using cv2.imread() with the cv2.IMREAD_GRAYSCALE parameter or use cv2.cvtColor() to convert a BGR image to grayscale with the cv2.COLOR_BGR2GRAY parameter. Once we load in the image, we throw this grayscale image into Matplotlib to obtain our heatmap image. Matplotlib returns a RGB format so we must convert back to Numpy format and switch to BGR colorspace for use with OpenCV. Here's a example using a scientific infrared camera image as input with the inferno colormap. See choosing color maps in Matplotlib for available built-in colormaps depending on your desired use case.

    Input image:

    Output heatmap image:

    Code

    import matplotlib.pyplot as plt
    import numpy as np
    import cv2
    
    image = cv2.imread('frame.png', 0)
    colormap = plt.get_cmap('inferno')
    heatmap = (colormap(image) * 2**16).astype(np.uint16)[:,:,:3]
    heatmap = cv2.cvtColor(heatmap, cv2.COLOR_RGB2BGR)
    
    cv2.imshow('image', image)
    cv2.imshow('heatmap', heatmap)
    cv2.waitKey()
    

    Method #2: cv2.applyColorMap()

    We can use OpenCV's built in heatmap function. Here's the result using the cv2.COLORMAP_HOT heatmap

    Code

    import cv2
    
    image = cv2.imread('frame.png', 0)
    heatmap = cv2.applyColorMap(image, cv2.COLORMAP_HOT)
    
    cv2.imshow('heatmap', heatmap)
    cv2.waitKey()
    

    Note: Although OpenCV's built-in implementation is short and quick, I recommend using Method #1 since there is a larger colormap selection. Matplotlib has hundreds of various colormaps and allows you to create your own custom color maps while OpenCV only has 12 to choose from. Here's the built in OpenCV colormap selection:

    0 讨论(0)
提交回复
热议问题