In Python, slicing refers to retrieving elements from a specified starting index to an ending index. We use a slice notation like this: [start:end]
.
Additionally, we can define a step using the format: [start:end:step]
.
If the start value is omitted, it defaults to 0, while omitting the end value defaults to the length of the array in that dimension. If the step value is not provided, it defaults to 1.
Retrieve the elements from index 1 to index 5 from the following array.
import numpy as np arr = np.array([1, 2, 3, 4, 5, 6, 7]) print(arr[1:5]) |
Note: The result includes the starting index but excludes the ending index. |
Retrieve the elements from index 4 to the end of the array.
import numpy as np arr = np.array([1, 2, 3, 4, 5, 6, 7]) print(arr[4:]) |
Retrieve the elements from the beginning up to index 4 (excluding index 4).
import numpy as np arr = np.array([1, 2, 3, 4, 5, 6, 7]) print(arr[:4]) |