2

我对 python 和 numpy 很陌生,如果问题很明显,我很抱歉。在互联网上我找不到正确的答案。我需要在python中创建一个未知大小的二维(a.ndim --> 2)数组。可能吗?我找到了一种通过列表的 1 维方法,但 2 维没有运气。

例子

for i in range(0,Nsens):
    count=0
    for l in range (0,my_data.shape[0]):
        if my_data['Node_ID'][l]==sensors_name[i]:
            temp[count,i]=my_data['Temperature'][l]
            count=count+1
        else:
            count=count

temp 是我需要初始化的数组。

4

3 回答 3

2

这显示了一种在 numpy 中填充未知大小数组的相当高性能(尽管比初始化为精确大小慢)的方法:

data = numpy.zeros( (1, 1) )
N = 0
while True:
    row = ...
    if not row: break
    # assume every row has shape (K,)
    K = row.shape[0]
    if (N >= data.shape[0]):
        # over-expand: any ratio around 1.5-2 should produce good behavior
        data.resize( (N*2, K) )
    if (K >= data.shape[1]):
        # no need to over-expand: presumably less common
        data.resize( (N, K+1) )
    # add row to data
    data[N, 0:K] = row

# slice to size of actual data
data = data[:N, :]

适应您的情况:

if count > temp.shape[0]:
    temp.resize( (max( temp.shape[0]*2, count+1 ), temp.shape[1]) )
if i > temp.shape[1]:
    temp.resize( (temp.shape[0], max(temp.shape[1]*2, i+1)) )
# now safe to use temp[count, i]

您可能还想跟踪实际数据大小(最大计数、最大 i)并稍后修剪数组。

于 2012-11-22T08:30:10.573 回答
0

在 numpy 中,您必须在初始化时指定数组的大小。稍后您可以根据需要扩展阵列。

但请记住,不建议扩展阵列,应作为最后的手段。

动态扩展 scipy 数组

于 2012-11-21T18:56:20.960 回答
0

鉴于您的后续评论,听起来您正在尝试执行以下操作:

arr1 = { 'sensor1' : ' ', 'sensor2' : ' ', 'sensor_n' : ' ' }   #dictionary of sensors (a blank associative array)
                                                                #take not of the curly braces '{ }'
                                                                #inside the braces are key : value pairs
arr1['sensor1'] = 23
arr1['sensor2'] = 55
arr1['sensor_n'] = 125

print arr1

for k,v in arr1.iteritems():
    print k,v

for i in arr1:
    print arr1[i]

Python 字典教程应该能够为您提供所需的洞察力。

于 2012-12-13T23:56:48.590 回答