我有一個二進制數組,我想將它轉換成一個整數列表,其中每個int是數組的一行。二進制numpy數組到整數列表?
例如:
from numpy import *
a = array([[1, 1, 0, 0], [0, 1, 0, 0], [0, 1, 1, 1], [1, 1, 1, 1]])
我想a
轉換爲[12, 4, 7, 15]
。
我有一個二進制數組,我想將它轉換成一個整數列表,其中每個int是數組的一行。二進制numpy數組到整數列表?
例如:
from numpy import *
a = array([[1, 1, 0, 0], [0, 1, 0, 0], [0, 1, 1, 1], [1, 1, 1, 1]])
我想a
轉換爲[12, 4, 7, 15]
。
你也可以做到這一點numpy的範圍內直接:
from numpy import *
a = array([[1, 1, 0, 0], [0, 1, 0, 0], [0, 1, 1, 1], [1, 1, 1, 1]])
b2i = 2**arange(a.shape[0]-1, -1, -1)
result = (a*b2i).sum(axis=1) #[12 4 7 15]
@ SteveTjoa的答案是好的,但踢,這裏有一個numpy的一行代碼:
In [19]: a
Out[19]:
array([[1, 1, 0, 0],
[0, 1, 0, 0],
[0, 1, 1, 1],
[1, 1, 1, 1]])
In [20]: a.dot(1 << arange(a.shape[-1] - 1, -1, -1))
Out[20]: array([12, 4, 7, 15])
(arange
是numpy.arange
。)
如果你喜歡直接使用按位數學,那麼這個應該工作得很好。
def bits2int(a, axis=-1):
return np.right_shift(np.packbits(a, axis=axis), 8 - a.shape[axis]).squeeze()
bits2int(a)
Out: array([12, 4, 7, 15], dtype=uint8)
還有一句:
def row_bits2int(arr):
n = arr.shape[1] # number of columns
# shift the bits of the first column to the left by n - 1
a = arr[:, 0] << n - 1
for j in range(1, n):
# "overlay" with the shifted bits of the next column
a |= arr[:, j] << n - 1 - j
return a
這是完美的!我只搜索有關二進制的問題,而不是布爾運算符,所以我沒有看到您先前的問題。謝謝你的幫助。 – 2013-03-19 16:58:52