NumPy配列からPILイメージを作成したい。私の試みは次のとおりです。
# Create a NumPy array, which has four elements. The top-left should be pure red, the top-right should be pure blue, the bottom-left should be pure green, and the bottom-right should be yellow
pixels = np.array([[[255, 0, 0], [0, 255, 0]], [[0, 0, 255], [255, 255, 0]]])
# Create a PIL image from the NumPy array
image = Image.fromarray(pixels, 'RGB')
# Print out the pixel values
print image.getpixel((0, 0))
print image.getpixel((0, 1))
print image.getpixel((1, 0))
print image.getpixel((1, 1))
# Save the image
image.save('image.png')
ただし、印刷結果は次のようになります。
(255, 0, 0)
(0, 0, 0)
(0, 0, 0)
(0, 0, 0)
保存された画像の左上は純粋な赤ですが、他のすべてのピクセルは黒です。これらの他のピクセルがNumPy配列で割り当てた色を保持しないのはなぜですか?
ありがとう!
RGB
モードは8ビット値を想定しているため、配列をキャストするだけで問題が解決するはずです。
In [25]: image = Image.fromarray(pixels.astype('uint8'), 'RGB')
...:
...: # Print out the pixel values
...: print image.getpixel((0, 0))
...: print image.getpixel((0, 1))
...: print image.getpixel((1, 0))
...: print image.getpixel((1, 1))
...:
(255, 0, 0)
(0, 0, 255)
(0, 255, 0)
(255, 255, 0)