如何用fromiter构造一个np.array

时间:2012-09-17 22:04:02

标签: python numpy

我正在尝试通过从python生成器中取样来构造np.array,每次调用next时会产生一行数组。以下是一些示例代码:

import numpy as np
data = np.eye(9)
labels = np.array([0,0,0,1,1,1,2,2,2])

def extract_one_class(X,labels,y):
""" Take an array of data X, a column vector array of labels, and one particular label y.  Return an array of all instances in X that have label y """

    return X[np.nonzero(labels[:] == y)[0],:]

def generate_points(data, labels, size):
""" Generate and return 'size' pairs of points drawn from different classes """

     label_alphabet = np.unique(labels)
     assert(label_alphabet.size > 1)

     for useless in xrange(size):
         shuffle(label_alphabet)
         first_class = extract_one_class(data,labels,label_alphabet[0])
         second_class = extract_one_class(data,labels,label_alphabet[1])
         pair = np.hstack((first_class[randint(0,first_class.shape[0]),:],second_class[randint(0,second_class.shape[0]),:]))
         yield pair

points = np.fromiter(generate_points(data,labels,5),dtype = np.dtype('f8',(2*data.shape[1],1)))

extract_one_class函数返回数据子集:属于一个类标签的所有数据点。我希望积分成为np.array shape = (size,data.shape[1])。目前,上面的代码段会返回错误:

ValueError: setting an array element with a sequence.

fromiter的文档声称返回一维数组。还有一些人使用fromiter来构造numpy中的记录数组(例如http://iam.al/post/21116450281/numpy-is-my-homeboy)。

假设我能以这种方式生成数组,我是不是很明显?或者我的numpy是不是很正确?

3 个答案:

答案 0 :(得分:8)

正如您所注意到的,np.fromiter的文档解释了该函数创建了一维数组。你将无法以这种方式创建一个2D数组,并且@unutbu方法返回你之后重塑的一维数组是肯定的。

但是,您确实可以使用fromiter创建结构化数组,如下所示:

>>> import itertools
>>> a = itertools.izip((1,2,3),(10,20,30))
>>> r = np.fromiter(a,dtype=[('',int),('',int)])
array([(1, 10), (2, 20), (3, 30)], 
      dtype=[('f0', '<i8'), ('f1', '<i8')])

但是看,r.shape=(3,),即r实际上只是一维记录数组,每条记录由两个整数组成。由于所有字段都具有相同的dtype,因此我们可以将r视为2D数组

>>> r.view((int,2))
array([[ 1, 10],
       [ 2, 20],
       [ 3, 30]])

所以,是的,您可以尝试将np.fromiterdtype [('',int)]*data.shape[1]一起使用:您将获得一个长度为size的一维数组,然后您就可以了将此数组视为((int, data.shape[1]))。您可以使用浮点数而不是整数,重要的是所有字段都具有相同的dtype。

如果真的想要它,你可以使用一些相当复杂的dtype。考虑例如

r = np.fromiter(((_,) for _ in a),dtype=[('',(int,2))])

在这里,您将得到一个包含1个字段的1D结构化数组,该字段由2个整数数组组成。请注意使用(_,)来确保每个记录都作为元组传递(否则为np.fromiter chokes)。但是你需要这种复杂性吗?

另请注意,如您事先知道数组的长度(size),您应该使用counter np.fromiter的{​​{1}}可选参数来提高效率。

答案 1 :(得分:3)

您可以修改generate_points以产生单个浮点数而不是np.arrays,使用np.fromiter形成一维数组,然后使用.reshape(size, -1)使其成为二维数组。

points = np.fromiter(
    generate_points(data,labels,5)).reshape(size, -1)

答案 2 :(得分:1)

根据这里的一些建议,我提出了一个相当普遍的替代numpy.fromiter()来满足OP的要求:

import numpy as np
def fromiter(iterator, dtype, *shape):
    """Generalises `numpy.fromiter()` to multi-dimesional arrays.

    Instead of the number of elements, the parameter `shape` has to be given,
    which contains the shape of the output array. The first dimension may be
    `-1`, in which case it is inferred from the iterator.
    """
    res_shape = shape[1:]
    if not res_shape:  # Fallback to the "normal" fromiter in the 1-D case           
        return np.fromiter(iterator, dtype, shape[0])

    # This wrapping of the iterator is necessary because when used with the
    # field trick, np.fromiter does not enforce consistency of the shapes
    # returned with the '_' field and silently cuts additional elements.
    def shape_checker(iterator, res_shape):
        for value in iterator:
            if value.shape != res_shape:
                raise ValueError("shape of returned object %s does not match"
                                 " given shape %s" % (value.shape, res_shape))
            yield value,

    return np.fromiter(shape_checker(iterator, res_shape),
                       [("_", dtype, res_shape)], shape[0])["_"]