In [1]:
import re
In [2]:
pattern = r"(hello) (world)"
text = "hello world"
match = re.search(pattern, text)
print(match.groups())
pattern = r"cat|dog"
text = "I have a cat and a dog"
matches = re.findall(pattern, text)
print(matches)
(''''hello'''', ''''world'''') [''''cat'''', ''''dog'''']
In [3]:
# Basic
import re
text = "My phone number is 123-456-7890."
pattern = r"(\d{3})-(\d{3})-(\d{4})"
match = re.search(pattern, text)
if match:
print("Full match:", match.group(0))
print("Area code:", match.group(1))
print("Prefix:", match.group(2))
print("Line number:", match.group(3))
Full match: 123-456-7890 Area code: 123 Prefix: 456 Line number: 7890
In [4]:
# Named Groups
import re
text = "My phone number is 123-456-7890."
pattern = r"(?P\d {3})-(?P\d {3})-(?P\d {4})"
match = re.search(pattern, text)
if match:
print("Full match:", match.group(0))
print("Area code:", match.group("area_code"))
print("Prefix:", match.group("prefix"))
print("Line number:", match.group("line_number"))
Full match: 123-456-7890 Area code: 123 Prefix: 456 Line number: 7890
In [5]:
# Multiple Groups
import re
text = "The price of PINEAPPLE ice cream is 20 dollars."
pattern = r"([A-Z]+)\s+ice cream is (\d+)"
match = re.search(pattern, text)
if match:
print("Full match:", match.group(0))
print("Fruit:", match.group(1))
print("Price:", match.group(2))
Full match: PINEAPPLE ice cream is 20 Fruit: PINEAPPLE Price: 20
In [6]:
# Accessing All Groups
import re
text = "My phone number is 123-456-7890."
pattern = r"(\d{3})-(\d{3})-(\d{4})"
match = re.search(pattern, text)
if match:
print("All groups:", match.groups())
All groups: (''''123'''', ''''456'''', ''''7890'''')