Last modified: Nov 08, 2024 By Alexander Williams
Python Regex Groups: Master Pattern Matching with Groups and Named Groups
Regular expressions in Python become more powerful when using groups. Groups allow you to capture and extract specific parts of matched patterns. Let's explore how to use regex groups effectively.
Understanding Basic Groups
Basic groups in regex are created using parentheses (). They capture matched patterns that you can reference later. The re.search
and re.match
functions return group objects.
import re
text = "Phone: 123-456-7890"
pattern = r"(\d{3})-(\d{3})-(\d{4})"
match = re.search(pattern, text)
print(match.group(0)) # Full match
print(match.group(1)) # First group
print(match.group(2)) # Second group
print(match.group(3)) # Third group
123-456-7890
123
456
7890
Working with Named Groups
Named groups provide a more readable way to reference captured patterns. Use (?P
import re
text = "Name: John Doe, Age: 30"
pattern = r"Name: (?P[\w\s]+), Age: (?P\d+)"
match = re.search(pattern, text)
print(match.group('name'))
print(match.group('age'))
John Doe
30
Multiple Matches with Groups
When working with multiple matches, re.findall
returns a list of tuples containing group matches. For more detailed iteration, you can use re.finditer
.
import re
text = "Email1: user@example.com, Email2: admin@example.com"
pattern = r"Email\d: (\w+)@(\w+)\.(\w+)"
matches = re.findall(pattern, text)
for username, domain, tld in matches:
print(f"Username: {username}, Domain: {domain}, TLD: {tld}")
Non-Capturing Groups
Sometimes you need grouping without capturing the match. Use (?:pattern) syntax for non-capturing groups. This improves performance when you don't need to reference the group later.
import re
text = "abc123def456"
pattern = r"(?:\w{3})(\d{3})"
matches = re.findall(pattern, text)
print(matches)
Backreferences
Groups can be referenced within the same pattern using backreferences. Use \1, \2, etc., or \g
import re
text = "hello hello world world"
pattern = r"(\w+) \1" # Matches repeated words
matches = re.findall(pattern, text)
print(matches)
Conclusion
Regex groups and named groups are essential for advanced pattern matching in Python. They help extract specific parts of text and make patterns more organized and maintainable.
For more advanced regex operations, check out Python re.findall or Python re.search.