7

我有一个 numpy 矩阵,想将所有行连接在一起,所以我最终得到一个长数组。

#example

input:
[[1 2 3]
 [4 5 6}
 [7 8 9]]

output:
[[1 2 3 4 5 6 7 8 9]]

我现在这样做的方式似乎并不像pythonic。我确信有更好的方法。

combined_x = x[0] 
for index, row in enumerate(x):
    if index!= 0:
        combined_x = np.concatenate((combined_x,x[index]),axis=1)

感谢您的帮助。

4

2 回答 2

9

我会建议ravelorflatten的方法ndarray

>>> a = numpy.arange(9).reshape(3, 3)
>>> a.ravel()
array([0, 1, 2, 3, 4, 5, 6, 7, 8])

ravel比它更快concatenateflatten因为它不会返回副本,除非它必须:

>>> a.ravel()[5] = 99
>>> a
array([[ 0,  1,  2],
       [ 3,  4, 99],
       [ 6,  7,  8]])
>>> a.flatten()[5] = 77
>>> a
array([[ 0,  1,  2],
       [ 3,  4, 99],
       [ 6,  7,  8]])

但是如果你需要一个副本来避免上面说明的内存共享,你最好使用flattenthan concatenate,从这些时间可以看出:

>>> %timeit a.ravel()
1000000 loops, best of 3: 468 ns per loop
>>> %timeit a.flatten()
1000000 loops, best of 3: 1.42 us per loop
>>> %timeit numpy.concatenate(a)
100000 loops, best of 3: 2.26 us per loop

另请注意,您可以使用(感谢 Pierre GM!)获得输出说明的确切结果(单行二维数组):reshape

>>> a = numpy.arange(9).reshape(3, 3)
>>> a.reshape(1, -1)
array([[0, 1, 2, 3, 4, 5, 6, 7, 8]])
>>> %timeit a.reshape(1, -1)
1000000 loops, best of 3: 736 ns per loop
于 2012-11-06T14:21:39.120 回答
5

您可以使用 numpyconcatenate函数

>>> ar = np.array([[1,2,3],[4,5,6],[7,8,9]])
>>> np.concatenate(ar)
array([1, 2, 3, 4, 5, 6, 7, 8, 9])

您也可以尝试flatten

>>> ar.flatten()
array([1, 2, 3, 4, 5, 6, 7, 8, 9])
于 2012-11-06T14:14:25.363 回答