let's assume that I have a 2-dimensional NumPy array that looks like that and i want to extract the left bottom square (4x4):
arr_2d = [[ 5,10,15],
[20,25,30],
[35,40,45]]
why there is difference between this way:
arr_2d[row,col]
and this way:
arr_2d[row][col]
im saying that there is a differnce because i got different outputs while trying to do this:
arr_2d[1:3,1:3] #output was: [[25,30],
[40,45]]
arr_2d[1:3][1:3] #output was: [[35, 40, 45]]
if I'm wrong in my question can you tell me why, please?
thanks in advance!
Supposing
arr_2d
is declared as numpy array:Then,
arr_2d[1:3, 1:3]
will return the submatrix with element 1 and 2 from each dimension (note that Python starts indexing at 0).arr_2d[1:3][1:3]
is interpreted as indexing two times:First
arr_2d[1:3]
takes rows 1 and 2:rows_1_2 = np.array([[20, 25, 30], [35, 40, 45]])
Then, that result is indexed again with
[1:3]
, sorows_1_2[1:3]
which would give rows 1 and 2 ofrows_1_2
. As row 2 doesn't exist in that array, only row 1 is returned, so[[35, 40, 45]]
. Note that this is a 1x3 array.In general, it strongly recommended using 'slice indexing', because indexing 2 times can be needlessly slow for large arrays.
Note that with standard Python lists, to obtain a similar sub-matrix, you'd need to write it as:
This is both harder to read and much slower for large lists. But note that standard Python can work with sublists of different types and lengths, whil numpy needs everything of the same size and type.
Slicing and broadcasting is what make Python with numpy very suitable for numeric manipulations and calculations.