0

我有两个 numpy.arrays,我想有效地获得以下结果

1.将b的元素添加到a的子数组中

    a=numpy.array([(1,2,3),(1,2,3)])
    b=numpy.array([0,0])
->
    c=[(0,1,2,3),(0,1,2,3)] 

循环中的代码

a=numpy.array([(1,2,3),(1,2,3)])
b=numpy.array([(0,0)])
c=numpy.zeros(2 , 4)
idx=0
for x in a:
   c[idx]=(a[idx][0],a[idx][1],a[idx][2], b[idx])
   idx = idx+1


2. 从两个一维数组中获取一个维度为(a.dim*b.dim, 2) 的二维数组

    a=numpy.array([(1,2)])
    b=numpy.array([(3,4)])
->
    c=[(1,3),(1,4),(2,3),(2,4)]

循环中的代码

a=numpy.array([(1,2)])
b=numpy.array([(3,4)])
c=numpy.zeros(a.size*b.size , 2)
idx=0
for x in a:
    for y in b:
        c[idx]=(x,y)
        idx = idx+1
4

2 回答 2

3

对于第一个问题,您可以进行b不同的定义并使用numpy.hstack

a = numpy.array([(1,2,3),(1,2,3)])
b = numpy.array([[0],[0]])
numpy.hstack((b,a))

关于第二个问题,如有必要,我可能会使用 sza 的答案并根据该结果创建 numpy 数组。该技术是在一个旧的 Stack Overflow 问题中提出的。

于 2013-08-28T02:34:11.213 回答
2

对于第一个,你可以做

>>> a=numpy.array([(1,2,3),(1,2,3)])
>>> b=numpy.array([0,0])
>>> [tuple(numpy.insert(x, 0, y)) for (x,y) in zip(a,b)]
[(0, 1, 2, 3), (0, 1, 2, 3)]

对于第二个,您可以获得这样的二维数组

>>> a=numpy.array([(1,2)])
>>> b=numpy.array([(3,4)])
>>> import itertools
>>> c = list(itertools.product(a.tolist()[0], b.tolist()[0]))
[(1, 3), (1, 4), (2, 3), (2, 4)]
于 2013-08-28T02:21:46.783 回答