4 Create a simple image#
Objectives#
synthesize an RGB image (and know, for example, that yellow = green + red)
manipulate the value / color correspondence
use the
:
operator
Image synthesis#
As usual, do not forget the modules:
import numpy as np
import matplotlib.pyplot as plt
The image is composed of blocks of homogeneous color with size 20 × 20 pixels, so as to form an image of 40 × 80 pixels.
Also, it contains three bands as it is an RGB image.
Therefore we create an array f
of size 40 × 80 × 3:
f = np.zeros((40,80,3))
We use Additive color to create the colors. Thus, yellow is obtained by combining green and red.
f[ 0:20 , : , 0 ] = 1 # Red band = band 0 (top row: pixels 0 to 19)
f[ : , 0:40 , 1 ] = 1 # Green band = band 1 (the two columns on the left)
f[ : , 20:60 , 2 ] = 1 # Blue band = band 2 (the two columns at the center)
The bands can be displayed separately:
plt.figure(figsize=(15,7))
plt.subplot(1,3,1)
plt.imshow(f[:,:,0], cmap="gray")
plt.title('Red band')
plt.subplot(1,3,2)
plt.imshow(f[:,:,1], cmap="gray")
plt.title('Green band')
plt.subplot(1,3,3)
plt.imshow(f[:,:,2], cmap="gray")
plt.title('Blue band')
plt.show()
data:image/s3,"s3://crabby-images/a418c/a418ca63c5a968ca6be6259538d92d85d400317e" alt="../_images/e5fd210ba5be6f1f7107850add36d4ea7c0d922e6f41e28ac7085c694d7f9e19.png"
And finally the color image:
plt.imshow(f)
plt.show()
data:image/s3,"s3://crabby-images/e744e/e744e904a6c22f9bee9b863bb808e7b4ef9a1dae" alt="../_images/4212746f4b52196b254d8af5464dce58ca78b67f1d25b549c3ff97b498fb8a1c.png"