python 连接两个一维NumPy数组

ckocjqey  于 2023-01-04  发布在  Python
关注(0)|答案(6)|浏览(148)

如何在NumPy中连接两个一维数组?我试过numpy.concatenate

import numpy as np
a = np.array([1, 2, 3])
b = np.array([4, 5])
np.concatenate(a, b)

但我得到一个错误:
TypeError:只有长度为1的数组可以转换为Python标量

mnowg1ta

mnowg1ta1#

use:

np.concatenate([a, b])

要连接的数组需要作为序列而不是单独的参数传入。
NumPy documentation
第一个月
将数组序列联接在一起。
它试图将您的b解释为轴参数,这就是为什么它抱怨无法将其转换为标量。

41zrol4v

41zrol4v2#

存在若干种级联1D阵列的可能性,例如,

import numpy as np

np.r_[a, a]
np.stack([a, a]).reshape(-1)
np.hstack([a, a])
np.concatenate([a, a])

所有这些选项对于大型阵列来说都同样快;对于小的,concatenate有一点优势:

使用perfplot创建图:

import numpy
import perfplot

perfplot.show(
    setup=lambda n: numpy.random.rand(n),
    kernels=[
        lambda a: numpy.r_[a, a],
        lambda a: numpy.stack([a, a]).reshape(-1),
        lambda a: numpy.hstack([a, a]),
        lambda a: numpy.concatenate([a, a]),
    ],
    labels=["r_", "stack+reshape", "hstack", "concatenate"],
    n_range=[2 ** k for k in range(19)],
    xlabel="len(a)",
)
qyyhg6bp

qyyhg6bp3#

concatenate的第一个参数本身应该是要连接的 * 数组序列 *:

numpy.concatenate((a,b)) # Note the extra parentheses.
nqwrtyyt

nqwrtyyt4#

另一种方法是使用"concatenate"的缩写形式,即"r_[...]"或"c_[...]",如下面的示例代码所示(有关其他信息,请参见Link):

%pylab
vector_a = r_[0.:10.] #short form of "arange"
vector_b = array([1,1,1,1])
vector_c = r_[vector_a,vector_b]
print vector_a
print vector_b
print vector_c, '\n\n'

a = ones((3,4))*4
print a, '\n'
c = array([1,1,1])
b = c_[a,c]
print b, '\n\n'

a = ones((4,3))*4
print a, '\n'
c = array([[1,1,1]])
b = r_[a,c]
print b

print type(vector_b)

结果是:

[ 0.  1.  2.  3.  4.  5.  6.  7.  8.  9.]
[1 1 1 1]
[ 0.  1.  2.  3.  4.  5.  6.  7.  8.  9.  1.  1.  1.  1.] 

[[ 4.  4.  4.  4.]
 [ 4.  4.  4.  4.]
 [ 4.  4.  4.  4.]] 

[[ 4.  4.  4.  4.  1.]
 [ 4.  4.  4.  4.  1.]
 [ 4.  4.  4.  4.  1.]] 

[[ 4.  4.  4.]
 [ 4.  4.  4.]
 [ 4.  4.  4.]
 [ 4.  4.  4.]] 

[[ 4.  4.  4.]
 [ 4.  4.  4.]
 [ 4.  4.  4.]
 [ 4.  4.  4.]
 [ 1.  1.  1.]]
yvfmudvl

yvfmudvl5#

以下是使用numpy.ravel()numpy.array()实现此目的的更多方法,利用了1D数组可以解压缩为普通元素的事实:

# we'll utilize the concept of unpacking
In [15]: (*a, *b)
Out[15]: (1, 2, 3, 5, 6)

# using `numpy.ravel()`
In [14]: np.ravel((*a, *b))
Out[14]: array([1, 2, 3, 5, 6])

# wrap the unpacked elements in `numpy.array()`
In [16]: np.array((*a, *b))
Out[16]: array([1, 2, 3, 5, 6])
lvjbypge

lvjbypge6#

来自 numpy docs的更多事实:
语法为numpy.concatenate((a1, a2, ...), axis=0, out=None)
axis = 0表示按行串联axis = 1表示按列串联

>>> a = np.array([[1, 2], [3, 4]])
>>> b = np.array([[5, 6]])

# Appending below last row
>>> np.concatenate((a, b), axis=0)
array([[1, 2],
       [3, 4],
       [5, 6]])

# Appending after last column
>>> np.concatenate((a, b.T), axis=1)    # Notice the transpose
array([[1, 2, 5],
       [3, 4, 6]])

# Flattening the final array
>>> np.concatenate((a, b), axis=None)
array([1, 2, 3, 4, 5, 6])

希望能有所帮助!

相关问题