How can I view images stored with a .npy
extension and save my own files in that format?
Advertisement
Answer
.npy
is the file extension for numpy arrays – you can read them using numpy.load
:
JavaScript
x
4
1
import numpy as np
2
3
img_array = np.load('filename.npy')
4
One of the easiest ways to view them is using matplotlib’s imshow
function:
JavaScript
1
5
1
from matplotlib import pyplot as plt
2
3
plt.imshow(img_array, cmap='gray')
4
plt.show()
5
You could also use PIL or pillow:
JavaScript
1
9
1
from PIL import Image
2
3
im = Image.fromarray(img_array)
4
# this might fail if `img_array` contains a data type that is not supported by PIL,
5
# in which case you could try casting it to a different dtype e.g.:
6
# im = Image.fromarray(img_array.astype(np.uint8))
7
8
im.show()
9
These functions aren’t part of the Python standard library, so you may need to install matplotlib and/or PIL/pillow if you haven’t already. I’m also assuming that the files are either 2D [rows, cols]
(black and white) or 3D [rows, cols, rgb(a)]
(color) arrays of pixel values.