Search code examples
pythonmatplotlibimshowalphablending

Making gradient light spots with matplotlib


I'm trying to use the following example to make light spots on a sky image:

import numpy as np
import matplotlib.pyplot as plt
from matplotlib.colors import Normalize


def normal_pdf(x, mean, var):
    return np.exp(-(x - mean)**2 / (2*var))


# Generate the space in which the blobs will live
xmin, xmax, ymin, ymax = (0, 100, 0, 100)
n_bins = 100
xx = np.linspace(xmin, xmax, n_bins)
yy = np.linspace(ymin, ymax, n_bins)

# Generate the blobs. The range of the values is roughly -.0002 to .0002
means_high = [20, 50]
means_low = [50, 60]
var = [150, 200]

gauss_x_high = normal_pdf(xx, means_high[0], var[0])
gauss_y_high = normal_pdf(yy, means_high[1], var[0])

gauss_x_low = normal_pdf(xx, means_low[0], var[1])
gauss_y_low = normal_pdf(yy, means_low[1], var[1])

weights = (np.outer(gauss_y_high, gauss_x_high)
           - np.outer(gauss_y_low, gauss_x_low))

# We'll also create a grey background into which the pixels will fade
greys = np.full((*weights.shape, 3), 70, dtype=np.uint8)

# First we'll plot these blobs using ``imshow`` without transparency.
vmax = np.abs(weights).max()
imshow_kwargs = {
    'vmax': vmax,
    'vmin': -vmax,
    'cmap': 'RdYlBu',
    'extent': (xmin, xmax, ymin, ymax),
}

fig, ax = plt.subplots()
ax.imshow(greys)
ax.imshow(weights, **imshow_kwargs)
ax.set_axis_off()

That gives me this picture:

That gives me this picture

I need the same shapes but different color, something like this (preferably random):

enter image description here

I'm reading the documentation, but I can't understand on changing those colors. Please help.


Solution

  • The code below uses some randomly generated means, variances and scale factors. And a colormap between two shades of blue. Feel free to experiment further.

    import matplotlib.pyplot as plt
    from matplotlib.colors import LinearSegmentedColormap
    import numpy as np
    
    def normal_pdf(x, mean, var):
        return np.exp(-(x - mean) ** 2 / (2 * var))
    
    xmin, xmax = 0, 50
    ymin, ymax = 0, 30
    xs = np.linspace(xmin, xmax, 300)
    ys = np.linspace(ymin, ymax, 200)
    weights = np.zeros((len(ys), len(xs)))
    N = 5
    for mean0, mean1, var, scale in zip(np.random.uniform(xs.min(), xs.max(), N),
                                        np.random.uniform(ys.min(), ys.max(), N),
                                        np.random.uniform(10, 20, N),
                                        np.random.uniform(0.8, 1.1, N)):
        weights += scale * np.outer(normal_pdf(ys, mean1, var), normal_pdf(xs, mean0, var))
    cmap = LinearSegmentedColormap.from_list('', ['#2e4367', '#425b88'])
    plt.imshow(weights, cmap=cmap, vmin=0, vmax=1, extent=[xmin, xmax, ymin, ymax])
    plt.show()
    

    random spots of blues