So S
So S

Reputation: 591

Confused during reshaping array of image

At the moment I'm trying to run a ConvNet. Each image, which later feeds the neural net, is stored as a list. But the list is at the moment created using three for-loops. Have a look:

im = Image.open(os.path.join(p_input_directory, item))
pix = im.load()

image_representation = []

# Get image into byte array
for color in range(0, 3):
    for x in range(0, 32):
        for y in range(0, 32):
            image_representation.append(pix[x, y][color])

I'm pretty sure that this is not the nicest and most efficient way. Because I have to stick to the structure of the list created above, I thought about using numpy and providing an alternative way to get to the same structure.

from PIL import Image
import numpy as np

image = Image.open(os.path.join(p_input_directory, item))
image.load()
image = np.asarray(image, dtype="uint8")
image = np.reshape(image, 3072)
# Sth is missing here...

But I don't know how to reshape and concatenate the image for getting the same structure as above. Can someone help with that?

Upvotes: 3

Views: 239

Answers (1)

Divakar
Divakar

Reputation: 221744

One approach would be to transpose the axes, which is essentially flattening in fortran mode i.e. reversed manner -

image = np.asarray(im, dtype="uint8")
image_representation = image.ravel('F').tolist()

For a closer look to the function have a look to the numpy.ravel documentation.

Upvotes: 3

Related Questions