Basics - String

String Slicing

Slicing is one of Python’s most powerful and elegant features, especially when working with strings. It allows you to extract specific parts of a string by specifying a start, stop, and step index. Whether you want to grab the first few characters, reverse a string, or skip every other letter — slicing makes it simple and readable.

Syntax

string[start:stop:step]

Examples:

text = "PythonProgramming"

print(text)
# PythonProgramming

print(f'text[0:6] from index to 5: {text[0:6]}')
# Python

print(f'text[6:] from 6 to end: {text[6:]}')
# Programming

print(f'text[:6] from beginning to index 5: {text[:6]}')
# Python

print(f'text[::2] every 2nd character from start: {text[::2]}')
# PtoPormig

print(f'text[1::2] every 2nd character starting from index 1: {text[1::2]}')
# yhnrgamn

print(f'text[::-1] reverse string: {text[::-1]}')
# gnimmargorPnohtyP

print(f'text[-1] last character: {text[-1]}')
# g

print(f'text[-3:] last 3 characters: {text[-3:]}')
# ing

print(f'text[3:12] from index 3 to 11: {text[3:12]}')
# honProgra

print(f'text[:len(text)//2] first half of string: {text[:len(text)//2]}')
# PythonPr


Leave a Reply

Your email address will not be published. Required fields are marked *