38

I tend to index numpy arrays (matrices) with brackets, but I've noticed when I want to slice an array (matrix) I must use the comma notation. Why is this? For example,

>>> x = numpy.array([[1, 2], [3, 4], [5, 6]])
>>> x
array([[1, 2],
       [3, 4],
       [5, 6]])
>>> x[1][1]
4                 # expected behavior
>>> x[1,1]
4                 # expected behavior
>>> x[:][1]
array([3, 4])     # huh?
>>> x[:,1]
array([2, 4, 6])  # expected behavior
2
  • 6
    You need to understand what x[1] or x[:] does before understanding x[1][1] or x[:][1]. The two brackets are applied sequentially, with 2 __getitem__ calls. But in x[:,1] both axes are considered together - by one numpy __getitem__ call. Commented Jun 30, 2016 at 5:05
  • Thank you @hpaulj, this is the answer I'm looking for. Commented Jul 1, 2016 at 0:44

3 Answers 3

46

This:

x[:, 1]

means "take all indices of x along the first axis, but only index 1 along the second".

This:

x[:][1]

means "take all indices of x along the first axis (so all of x), then take index 1 along the first axis of the result". You're applying the 1 to the wrong axis.

x[1][2] and x[1, 2] are only equivalent because indexing an array with an integer shifts all remaining axes towards the front of the shape, so the first axis of x[1] is the second axis of x. This doesn't generalize at all; you should almost always use commas instead of multiple indexing steps.

Sign up to request clarification or add additional context in comments.

Comments

8

When you slice multi dimension of array, if fewer indices are provided than the number of axes, the missing indices are considered complete slices. Hence, when you are essentially doing when calling x[:][1] is x[:,:][1,:] Therefore, x[:,:] will just return x itself.

Comments

1

The real explanation to this is in the case of 2 brackets [][], the first bracket (x[] ) creates an temporary array referring to the first dimension of the multidimensional array.

While the second bracket of the x[][] would be applied to the already created temporary array.

So no real hazards are happening. Because of the described behavior, when you combine slicing with multiple brackets basically the first one is already selecting part of the numpy array while the second bracket goes into the already selected array.

Explanation is available also here : numpy.org/devdocs/user/basics.indexing.html

Comments

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.