How to delete a character from a string using python?

Python strings are immutable, meaning you cannot modify them directly. However, you can create new strings with specific characters removed using several methods. Here are the most effective approaches to delete a character from a string in Python.

Using String Slicing

String slicing allows you to remove a character at a specific position by concatenating parts before and after that position ?

# Define a string
text = "Hello World"

# Remove character at index 4 (first 'o')
new_text = text[:4] + text[5:]

print("Original:", text)
print("Modified:", new_text)
Original: Hello World
Modified: Hell World

Using replace() Method

The replace() method removes all occurrences of a specific character from the string ?

# Define a string
text = "Programming"

# Remove all occurrences of 'g'
new_text = text.replace("g", "")

print("Original:", text)
print("Modified:", new_text)
Original: Programming
Modified: Prorammin

Using List Comprehension with join()

Convert the string to a list, filter out unwanted characters, then join back to a string ?

# Define a string
text = "Python Tutorial"

# Remove all occurrences of 'o'
filtered_chars = [char for char in text if char != "o"]
new_text = "".join(filtered_chars)

print("Original:", text)
print("Modified:", new_text)
Original: Python Tutorial
Modified: Pythn Tutrial

Using translate() Method

The translate() method uses Unicode code points to efficiently remove characters ?

# Define a string
text = "Data Science"

# Remove all occurrences of 'a'
new_text = text.translate({ord("a"): None})

print("Original:", text)
print("Modified:", new_text)
Original: Data Science
Modified: Dt Science

Using Regular Expressions

The re.sub() function provides powerful pattern-based character removal ?

import re

# Define a string
text = "Machine Learning"

# Remove all occurrences of 'n'
new_text = re.sub("n", "", text)

print("Original:", text)
print("Modified:", new_text)
Original: Machine Learning
Modified: Machie Learig

Comparison

Method Use Case Performance Flexibility
String Slicing Remove character at specific position Fast Position-based only
replace() Remove all occurrences of character Very Fast Simple patterns
List Comprehension Complex filtering conditions Moderate Very flexible
translate() Remove multiple characters efficiently Very Fast Multiple characters
Regular Expressions Pattern-based removal Slower Most powerful

Conclusion

Use replace() for simple character removal, string slicing for position-specific deletion, and translate() for removing multiple characters efficiently. Choose list comprehension when you need conditional filtering based on character properties.

Updated on: 2026-03-24T16:43:46+05:30

1K+ Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements