uint8
我有一个存储 65536 个值的查找表 (LUT) :
lut = np.random.randint(256, size=(65536,)).astype('uint8')
我想使用这个 LUT 来转换uint16
s 数组中的值:
arr = np.random.randint(65536, size=(1000, 1000)).astype('uint16')
我想就地进行转换,因为最后一个数组可能会变得很大。当我尝试时,会发生以下情况:
>>> np.take(lut, arr, out=arr)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "C:\Python27\lib\site-packages\numpy\core\fromnumeric.py", line 103, in take
return take(indices, axis, out, mode)
TypeError: array cannot be safely cast to required type
而且我不明白发生了什么。我知道,如果没有out
参数,返回的 dtype 与lut
, 所以uint8
. 但是为什么不能将 auint8
转换为 a uint16
?如果你问 numpy:
>>> np.can_cast('uint8', 'uint16')
True
显然,以下工作:
>>> lut = lut.astype('uint16')
>>> np.take(lut, arr, out=arr)
array([[173, 251, 218, ..., 110, 98, 235],
[200, 231, 91, ..., 158, 100, 88],
[ 13, 227, 223, ..., 94, 56, 36],
...,
[ 28, 198, 80, ..., 60, 87, 118],
[156, 46, 118, ..., 212, 198, 218],
[203, 97, 245, ..., 3, 191, 173]], dtype=uint16)
但这也有效:
>>> lut = lut.astype('int32')
>>> np.take(lut, arr, out=arr)
array([[ 78, 249, 148, ..., 77, 12, 167],
[138, 5, 206, ..., 31, 43, 244],
[ 29, 134, 131, ..., 100, 107, 1],
...,
[109, 166, 14, ..., 64, 95, 102],
[152, 169, 102, ..., 240, 166, 148],
[ 47, 14, 129, ..., 237, 11, 78]], dtype=uint16)
这真的没有意义,因为 now int32
s 被强制转换为uint16
s,这绝对不是一件安全的事情:
>>> np.can_cast('int32', 'uint16')
False
如果我将lut
's dtype设置为uint16
, uint32
, uint64
, int32
or中的任何内容,我的代码就可以工作int64
,但对于uint8
,int8
和int16
.
我是否遗漏了什么,或者这只是在 numpy 中被破坏了?
也欢迎解决方法......由于LUT不是那么大,我想让它的类型匹配数组的类型并没有那么糟糕,即使这需要两倍的空间,但这样做感觉不对。 ..
有没有办法告诉 numpy 不要担心铸造安全?