Learn Python, Microsoft 365 and Google Workspace
Regular expressions are powerful tools for searching, matching, and manipulating strings based on patterns.
re
module in Python provides functions for working with regular expressions.re
modulere.match()
: Checks if the regular expression matches the beginning of the string.
import re
result = re.match(r'Hello', 'Hello, world!')
print(result) # Output: <re.Match object; span=(0, 5), match='Hello'>
re.search()
: Searches for the first location where the regular expression matches.
result = re.search(r'world', 'Hello, world!')
print(result) # Output: <re.Match object; span=(7, 12), match='world'>
re.findall()
: Returns a list of all non-overlapping matches of the regular expression in the string.
result = re.findall(r'\d+', 'There are 12 apples and 34 oranges')
print(result) # Output: ['12', '34']
re.sub()
: Replaces occurrences of the pattern with a specified string.
result = re.sub(r'apples', 'bananas', 'There are 12 apples and 34 oranges')
print(result) # Output: There are 12 bananas and 34 oranges
.
: Matches any character except a newline.^
: Matches the start of the string.$
: Matches the end of the string.[]
: Matches any single character inside the brackets.|
: Acts as a logical OR operator.\d
: Matches any digit (equivalent to [0-9]
).\w
: Matches any alphanumeric character (equivalent to [a-zA-Z0-9_]
).+
: Matches 1 or more occurrences of the preceding character or group.*
: Matches 0 or more occurrences of the preceding character or group.text = "The price is 50 dollars"
numbers = re.findall(r'\d+', text)
print(numbers) # Output: ['50']
text = "Hello, world!"
if re.match(r'^Hello', text):
print("String starts with 'Hello'")
email = "test@example.com"
if re.match(r'^[a-zA-Z0-9._%+-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,}$', email):
print("Valid email")
else:
print("Invalid email")
XXX-XXX-XXXX
.Would you like to work on these exercises, or would you like a deeper dive into any specific part of regular expressions?