24

我有一个 .jpg 图像,我想将其转换为 Python 数组,因为我实现了处理普通 Python 数组的处理例程。

似乎 PIL 图像支持转换为 numpy 数组,根据我写的文档:

from PIL import Image
im = Image.open("D:\Prototype\Bikesgray.jpg")
im.show()

print(list(np.asarray(im)))

这将返回一个 numpy 数组列表。另外,我尝试过

list([list(x) for x in np.asarray(im)])

因为它失败了,所以什么也没有返回。

如何从 PIL 转换为数组,或者简单地从 numpy 数组转换为 Python 数组?

4

4 回答 4

22

我强烈建议您使用对象的tobytes功能Image。经过一些时间检查后,效率更高。

def jpg_image_to_array(image_path):
  """
  Loads JPEG image into 3D Numpy array of shape 
  (width, height, channels)
  """
  with Image.open(image_path) as image:         
    im_arr = np.fromstring(image.tobytes(), dtype=np.uint8)
    im_arr = im_arr.reshape((image.size[1], image.size[0], 3))                                   
  return im_arr

我在笔记本电脑上运行的时间显示

In [76]: %timeit np.fromstring(im.tobytes(), dtype=np.uint8)
1000 loops, best of 3: 230 µs per loop

In [77]: %timeit np.array(im.getdata(), dtype=np.uint8)
10 loops, best of 3: 114 ms per loop

```

于 2017-02-04T04:42:13.727 回答
17

我认为您正在寻找的是:

list(im.getdata())

或者,如果图像太大而无法完全加载到内存中,则如下所示:

for pixel in iter(im.getdata()):
    print pixel

来自PIL 文档

获取数据

im.getdata() => 序列

将图像的内容作为包含像素值的序列对象返回。序列对象被展平,因此第 1 行的值直接跟在第 0 行的值之后,依此类推。

注意,该方法返回的序列对象是内部PIL数据类型,只支持某些序列操作,包括迭代和基本序列访问。要将其转换为普通序列(例如用于打印),请使用 list(im.getdata())。

于 2012-11-25T11:18:52.763 回答
7

基于zenpoy的回答

import Image
import numpy

def image2pixelarray(filepath):
    """
    Parameters
    ----------
    filepath : str
        Path to an image file

    Returns
    -------
    list
        A list of lists which make it simple to access the greyscale value by
        im[y][x]
    """
    im = Image.open(filepath).convert('L')
    (width, height) = im.size
    greyscale_map = list(im.getdata())
    greyscale_map = numpy.array(greyscale_map)
    greyscale_map = greyscale_map.reshape((height, width))
    return greyscale_map
于 2015-12-30T16:18:59.723 回答
3

我使用 numpy.fromiter 反转 8 灰度位图,但没有副作用的迹象

import Image
import numpy as np

im = Image.load('foo.jpg')
im = im.convert('L')

arr = np.fromiter(iter(im.getdata()), np.uint8)
arr.resize(im.height, im.width)

arr ^= 0xFF  # invert
inverted_im = Image.fromarray(arr, mode='L')
inverted_im.show()
于 2016-04-13T02:44:44.260 回答