1

我有一个ndarray形状为 (25,2) 的 numpy,我正在尝试附加一个形状为 (2,) 的值。

我尝试过使用该append方法,但到目前为止还没有运气。

有什么想法吗?谢谢!

4

2 回答 2

1

要让 append 以这种方式工作,您需要满足文档中指定的两个条件。

  1. 附加的对象必须具有相同的尺寸。它应该有形状(1, 2)
  2. 您必须指定要连接的轴,否则 numpy 将展平数组。

例如:

import numpy
x = numpy.ones((3, 2))
y = [[1, 2]]
numpy.append(x, y, axis=0)

结果是:

array([[ 1.,  1.],
       [ 1.,  1.],
       [ 1.,  1.],
       [ 1.,  2.]])
于 2018-04-26T08:05:10.190 回答
0

你遇到了什么样的错误append method?“没有运气”和“没用”一样糟糕。在正确的问题中,您应该显示预期值以及错误。然而,这个话题经常出现,我们可以做出很好的猜测。

In [336]: a = np.ones((3,2),int)
In [337]: b = np.zeros((2,),int)

但首先我会迂腐并尝试append method

In [338]: a.append(b)
---------------------------------------------------------------------------
AttributeError                            Traceback (most recent call last)
<ipython-input-338-d6231792f85d> in <module>()
----> 1 a.append(b)

AttributeError: 'numpy.ndarray' object has no attribute 'append'

lists有一个附加方法;numpy 数组没有。

有一个名字不好的append函数:

In [339]: np.append(a,b)
Out[339]: array([1, 1, 1, 1, 1, 1, 0, 0])
In [340]: _.reshape(-1,2)
Out[340]: 
array([[1, 1],
       [1, 1],
       [1, 1],
       [0, 0]])

这行得通——在某种程度上。但是,如果我阅读文档并提供一个轴参数:

In [341]: np.append(a,b, axis=0)
...
-> 5166     return concatenate((arr, values), axis=axis)
ValueError: all the input arrays must have same number of dimensions

现在它只是调用np.concatenate,将 2 个参数变成一个列表。

如果这是您遇到的错误并且不理解,您可能需要查看有关尺寸和形状的基本 numpy 文档。

a是 2d,b是 1d。要连接,我们需要重新整形,b使其成为(1,2),与 的 (3,2) 兼容的形状a。有几种方法可以做到这一点:

In [342]: np.concatenate((a, b.reshape(1,2)), axis=0)
Out[342]: 
array([[1, 1],
       [1, 1],
       [1, 1],
       [0, 0]])

远离np.append;这对许多初学者来说太令人困惑了,并且不会为基础添加任何重要的东西concatenate

于 2018-04-26T16:20:35.180 回答