Regular expressions are sequences of characters that form a search pattern. They can be used for various tasks, such as validating input, searching text, and replacing substrings. In Python, the re
module provides the tools needed to work with regex.
re
ModuleTo use regular expressions in Python, you first need to import the re
module:
import re
To match a literal string, simply use the pattern directly:
text = "Hello, World!"
pattern = "Hello"
match = re.search(pattern, text)
print(match) # Output: <re.Match object; span=(0, 5), match='Hello'>
Special characters in regex allow for more complex matching. For example, .
matches any character except a newline:
text = "a b c"
pattern = "a.b"
match = re.search(pattern, text)
print(match) # Output: <re.Match object; span=(0, 3), match='a b'>
Character classes let you specify a set of characters to match. For example, [aeiou]
matches any vowel:
text = "Python is fun"
pattern = r'[aeiou]'
matches = re.findall(pattern, text)
print(matches) # Output: ['o', 'i', 'u']
Quantifiers specify how many instances of a character or group must be present for a match:
*
- 0 or more+
- 1 or more?
- 0 or 1text = "Heeeello!"
pattern = "e+"
match = re.search(pattern, text)
print(match) # Output: <re.Match object; span=(1, 5), match='eeeee'>
Anchors are used to specify positions in the string:
^
asserts the start of a string$
asserts the end of a stringtext = "Python Programming"
pattern_start = "^Python"
pattern_end = "Programming$"
match_start = re.search(pattern_start, text)
match_end = re.search(pattern_end, text)
print(match_start) # Output: <re.Match object; span=(0, 6), match='Python'>
print(match_end) # Output: <re.Match object; span=(7, 18), match='Programming'>
You can also use regex for substitution with the re.sub()
method:
text = "I love apples and apples are great!"
pattern = "apples"
replacement = "oranges"
new_text = re.sub(pattern, replacement, text)
print(new_text) # Output: "I love oranges and oranges are great!"
Regular expressions are an invaluable tool for text manipulation in Python. By mastering these basic concepts, you can efficiently search, match, and manipulate strings in your applications. Explore further by practicing with different patterns and real-world text data!