我正在尝试从Python 3中的2D列表转换3D列表

时间:2019-01-21 04:54:25

标签: python arrays list numpy multidimensional-array

我找不到任何要转换的列表类型的东西。 2d列表是

[[2,3,4],[5,6,7],[8,9,10],[11,12,13]]

我需要像

这样的列表
[[[2,3,4],[5,6,7]],[[8,9,10],[11,12,13]]]

我已经尝试了所有这些方法,但是没有用。我知道我要转换的列表的大小。

a = np.array(item).reshape(3, round(len(item)/2),round(len(item)/2))
a = np.reshape(np.array(item), (round(len(item)/2), round(len(item)/2), 3))
a = np.array(item)[round(len(item)/2), round(len(item)/2), newaxis]

1 个答案:

答案 0 :(得分:1)

首先将列表转换为数组并找出所需的形状,然后相应地重塑怎么样?

In [2]: lol = [[2,3,4],[5,6,7],[8,9,10],[11,12,13]] 
In [3]: lol_arr = np.array(lol)    

In [4]: lol3 = [[[2,3,4],[5,6,7]],[[8,9,10],[11,12,13]]]
In [5]: lol3_arr = np.array(lol3) 

In [6]: lol_arr.shape                  
Out[6]: (4, 3)

In [7]: lol3_arr.shape                             
Out[7]: (2, 2, 3)

# reshape accordingly
In [9]: np.reshape(lol_arr, (2, 2, 3))                                 
Out[9]: 
array([[[ 2,  3,  4],
        [ 5,  6,  7]],

       [[ 8,  9, 10],
        [11, 12, 13]]])

In [10]: np.reshape(lol_arr, (2, 2, 3)).tolist() 
Out[10]: [[[2, 3, 4], [5, 6, 7]], [[8, 9, 10], [11, 12, 13]]]

# or get the array shape directly
In [11]: np.reshape(lol_arr, lol3_arr.shape).tolist() 
Out[11]: [[[2, 3, 4], [5, 6, 7]], [[8, 9, 10], [11, 12, 13]]]