How slicing in Python works

34    Asked by pratee_8409 in Python , Asked on May 11, 2025

How does slicing work in Python? Understand how to extract specific parts of lists, strings, and other sequences using Python's slicing syntax, including start, stop, and step values for precise control.

Answered by Raghav Singh

Slicing in Python is a powerful and elegant way to access parts of sequences like lists, strings, and tuples. It allows you to extract a portion of data without modifying the original object, which is super handy for working with large datasets or strings.

Basic Syntax of Slicing:

  sequence[start:stop:step]

  • start: the index where the slice begins (inclusive).
  • stop: the index where the slice ends (exclusive).
  • step: the interval between elements (optional).

Examples:

1. Simple list slicing:

my_list = [10, 20, 30, 40, 50]
print(my_list[1:4]) # Output: [20, 30, 40]

Starts at index 1 and goes up to, but doesn’t include, index 4.

2. Using step:

  print(my_list[::2])  # Output: [10, 30, 50]

Picks every second element from the list.

3. Negative indices:

  print(my_list[-3:-1])  # Output: [30, 40]

Negative indices count from the end of the list.

4. Reversing a sequence:

  print(my_list[::-1])  # Output: [50, 40, 30, 20, 10]

Using a negative step reverses the sequence.

Why Use Slicing?

  • It’s concise and readable.
  • Makes it easy to manipulate sequences without loops.
  • Works consistently across different sequence types.

Once you get the hang of slicing, it becomes second nature and can make your Python code much cleaner and more efficient!



Your Answer

Interviews

Parent Categories