如何动态创建三维数组

时间:2011-09-13 02:32:10

标签: python arrays multidimensional-array

如果我想要一个数组,例如:

[
    [
        [6,3,4],
        [5,2]
    ],
    [
        [8,5,7],
        [11,3]
    ]
]

我给你一个简单的例子。实际上,每个维度的数组的数量将根据不同的条件而改变。而且我不想使用列表的乘法。我想直接创建每个元素。

怎么做?

谢谢!

3 个答案:

答案 0 :(得分:6)

使用多维索引到值的映射。不要使用列表列表。

array_3d = {
    (0,0,0): 6, (0,0,1): 3, (0,0,2): 4,
    (0,1,0): 5, (0,1,1): 2,
    (1,0,0): 8, (1,0,1): 5, (1,0,2): 7,
    (1,1,0): 11,(1,1,1): 3 
}

现在您不必担心“预先分配”任何尺寸或数量的尺寸或任何东西。

答案 1 :(得分:1)

我为这些案件一直采用词典:

def set_3dict(dict3,x,y,z,val):
  """Set values in a 3d dictionary"""
  if dict3.get(x) == None:
    dict3[x] = {y: {z: val}}
  elif dict3[x].get(y) == None:
    dict3[x][y] = {z: val}
  else:
    dict3[x][y][z] = val

d={}    
set_3dict(d,0,0,0,6)
set_3dict(d,0,0,1,3) 
set_3dict(d,0,0,2,4)
...

类比我有一个吸气剂

def get_3dict(dict3, x, y, z, preset=None):
  """Read values from 3d dictionary"""
  if dict3.get(x, preset) == preset:
    return preset
  elif dict3[x].get(y, preset) == preset:
    return preset
  elif dict3[x][y].get(z, preset) == preset:
    return preset
  else: return dict3[x][y].get(z)

>>> get3_dict(d,0,0,0)
 6
>>> d[0][0][0]
 6
>>> get3_dict(d,-1,-1,-1)
 None
>>> d[-1][-1][-1]
 KeyError: -1

在我看来,优势在于迭代场很简单:

for x in d.keys():
  for y in d[x].keys():
    for z in d[x][y].keys():
      print d[x][y][z]

答案 2 :(得分:-2)

嗯,几乎就像你想的那样。在Python中,它们被称为列表,而不是数组,但是你只有一个三重嵌套列表,比如

threeDList = [[[]]]

然后使用三个索引来标识元素,例如

threeDList[0][0].append(1)
threeDList[0][0].append(2)
#threeDList == [[[1,2]]]
threeDList[0][0][1] = 3
#threeDList == [[[1,3]]]

您必须要小心,您使用的每个索引都指向列表中已存在的位置(即threeDList [0] [0] [2]或threeDList [0] [1]或threeDList [1]在这个例子中不存在),并且在可能的情况下,只需使用comprehension或for循环来操作列表的元素。

希望这有帮助!