4

我遇到了一个奇怪的问题,到目前为止互联网还无法解决。如果我读入一个 .png 文件,然后尝试显示它,它会完美运行(在下面的示例中,文件是一个蓝色像素)。但是,如果我尝试手动创建这个图像数组,它只会显示一个空白画布。有什么想法吗?

from PIL import Image
import matplotlib.pyplot as plt
import numpy as np

im = Image.open('dot.png') # A single blue pixel
im1 = np.asarray(im)
print im1
# [[[  0 162 232 255]]]

plt.imshow(im1, interpolation='nearest')
plt.show() # Works fine

npArray = np.array([[[0, 162, 232, 255]]])
plt.imshow(npArray, interpolation='nearest')
plt.show() # Blank canvas

npArray = np.array([np.array([np.array([0, 162, 232, 255])])])
plt.imshow(npArray, interpolation='nearest')
plt.show() # Blank canvas

PS 我也试过用 np.asarray() 替换所有的 np.array(),但结果是一样的。

4

1 回答 1

8

根据文档_im.show

X : array_like, shape (n, m) or (n, m, 3) or (n, m, 4)
    Display the image in `X` to current axes.  `X` may be a float
    array, a uint8 array or a PIL image.

所以X可能是一个带有 dtype 的数组uint8

当您不指定 dtype 时,

In [63]: np.array([[[0, 162, 232, 255]]]).dtype
Out[63]: dtype('int64')

默认情况下,NumPy 可能会创建一个 dtypeint64int32( not )的数组。uint8


如果您dtype='uint8'明确指定,则

import matplotlib.pyplot as plt
import numpy as np

npArray = np.array([[[0, 162, 232, 255]]], dtype='uint8')
plt.imshow(npArray, interpolation='nearest')
plt.show() 

产量 在此处输入图像描述


PS。如果你检查

im = Image.open('dot.png') # A single blue pixel
im1 = np.asarray(im)
print(im1.dtype)

你会发现im1.dtype也是uint8

于 2015-05-06T09:52:31.983 回答