Con Pillow (que funciona con Python 3.X y Python 2.7+), puede hacer lo siguiente:
from PIL import Image
im = Image.open('image.jpg', 'r')
width, height = im.size
pixel_values = list(im.getdata())
Ahora tiene todos los valores de píxeles. Si es RGB u otro modo puede leerse im.mode
. Entonces puedes obtener píxeles (x, y)
por:
pixel_values[width*y+x]
Alternativamente, puede usar Numpy y remodelar la matriz:
>>> pixel_values = numpy.array(pixel_values).reshape((width, height, 3))
>>> x, y = 0, 1
>>> pixel_values[x][y]
[ 18 18 12]
Una solución completa y fácil de usar es
# Third party modules
import numpy
from PIL import Image
def get_image(image_path):
"""Get a numpy array of an image so that one can access values[x][y]."""
image = Image.open(image_path, "r")
width, height = image.size
pixel_values = list(image.getdata())
if image.mode == "RGB":
channels = 3
elif image.mode == "L":
channels = 1
else:
print("Unknown mode: %s" % image.mode)
return None
pixel_values = numpy.array(pixel_values).reshape((width, height, channels))
return pixel_values
image = get_image("gradient.png")
print(image[0])
print(image.shape)
Prueba de humo en el código
Es posible que no esté seguro sobre el orden de ancho / alto / canal. Por esta razón, he creado este gradiente:
La imagen tiene un ancho de 100 px y una altura de 26 px. Tiene un degradado de color que va de #ffaa00
(amarillo) a #ffffff
(blanco). El resultado es:
[[255 172 5]
[255 172 5]
[255 172 5]
[255 171 5]
[255 172 5]
[255 172 5]
[255 171 5]
[255 171 5]
[255 171 5]
[255 172 5]
[255 172 5]
[255 171 5]
[255 171 5]
[255 172 5]
[255 172 5]
[255 172 5]
[255 171 5]
[255 172 5]
[255 172 5]
[255 171 5]
[255 171 5]
[255 172 4]
[255 172 5]
[255 171 5]
[255 171 5]
[255 172 5]]
(100, 26, 3)
Cosas a tener en cuenta:
- La forma es (ancho, alto, canales)
- El
image[0]
, de ahí la primera fila, tiene 26 triples del mismo color.