Python regular expressions
Regular expression is a special sequence of characters that can help you easily check whether a string matches a certain pattern. Python has added the re module since version 1.5, which provides Perl-style regular expression patterns. The
re module brings full regular expression capabilities to the Python language. The
compile function generates a regular expression object based on a pattern string and optional flag arguments. This object has a series of methods for regular expression matching and replacement. The
re module also provides functions identical to these methods, which take a pattern string as their first argument.
This chapter mainly introduces the commonly used regular expression processing functions in Python.
re.match function
re.match attempts to match a pattern from the beginning of a string.
Function syntax:
re.match(pattern, string, flags=0)
Function parameter description:
Parameter
Description
pattern matching regular expression Formula
string The string to be matched.
flags flags are used to control the matching method of regular expressions, such as whether it is case-sensitive, multi-line matching, etc.
The re.match method returns a matching object if the match is successful, otherwise it returns None.
We can use group(num) or groups() matching object function to get the matching expression.
Matching object method
Description
group(num=0) Matches the string of the entire expression, group() can enter multiple group numbers at once, in which case it will return a string containing A tuple of values corresponding to those groups.
groups() Returns a tuple containing all group strings, from 1 to the group number contained in .
Example:
#!/usr/bin/python
import re
line = "Cats are smarter than dogs"
matchObj = re.match( r'(.* ) are (.*?) .*', line, re.M|re.I)
if matchObj:
print "matchObj.group() : ", matchObj.group()
print "matchObj .group(1) : ", matchObj.group(1)
print "matchObj.group(2) : ", matchObj.group(2)
else:
print "No match!!"
The execution result of the above example is as follows:
matchObj.group() : Cats are smarter than dogs
matchObj.group(1) : Cats
matchObj.group(2) : smarter
re.search method
re.match attempts to match a pattern from the beginning of the string.
Function syntax:
re.search(pattern, string, flags=0)
Function parameter description:
Parameter
Description
pattern matching regular expression Formula
string The string to be matched.
flags flags are used to control the matching method of regular expressions, such as whether it is case-sensitive, multi-line matching, etc.
The re.search method returns a matching object if the match is successful, otherwise it returns None.
We can use group(num) or groups() matching object function to get the matching expression.
Matching object method
Description
group(num=0) Matches the string of the entire expression, group() can enter multiple group numbers at once, in which case it will return a string containing A tuple of values corresponding to those groups.
groups() Returns a tuple containing all group strings, from 1 to the group number contained in .
Example:
#!/usr/bin/python
import re
line = "Cats are smarter than dogs";
matchObj = re.match( r'(. *) are (.*?) .*', line, re.M|re.I)
if matchObj:
print "matchObj.group() : ", matchObj.group()
print " matchObj.group(1) : ", matchObj.group(1)
print "matchObj.group(2) : ", matchObj.group(2)
else:
print "No match!!"
The execution results of the above example are as follows:
matchObj.group() : Cats are smarter than dogs
matchObj.group(1) : Cats
matchObj.group(2) : smarter
The difference between re.match and re.search
re.match only matches the beginning of the string. If the beginning of the string does not match the regular expression, the match fails and the function returns None; while re.search matches the entire string until a match is found.
Example:
#!/usr/bin/python
import re
line = "Cats are smarter than dogs";
matchObj = re.match( r'dogs' , line, re.M|re.I)
if matchObj:
print "match --> matchObj.group() : ", matchObj.group()
else:
print "No match!! "
matchObj = re.search( r'dogs', line, re.M|re.I)
if matchObj:
print "search --> matchObj.group() : ", matchObj. group()
else:
print "No match!!"
The results of the above example are as follows:
No match!!
search --> matchObj.group() : Dogs
Retrieval and replacement
Python’s re module provides re.sub for replacing matches in a string.
Syntax:
re.sub(pattern, repl, string, max=0)
The returned string is replaced with the leftmost non-repeating match of RE in the string. If the pattern is not found, the character will be returned unchanged.
The optional parameter count is the maximum number of substitutions after pattern matching; count must be a non-negative integer. The default value is 0 which replaces all matches.
Example:
#!/usr/bin/python
import re
phone = "2004-959-559 # This is Phone Number"
# Delete Python-style comments
num = re.sub(r'#.*$', "", phone)
print "Phone Num : ", num
# Remove anything other than digits
num = re.sub(r 'D', "", phone)
print "Phone Num: ", num
The above example execution results are as follows:
Phone Num : 2004-959-559
Phone Num : 2004959559
Regular expression modifiers - optional flags
Regular expressions can contain some optional flag modifiers to control the matched patterns. The modifier is specified as an optional flag. Multiple flags can be specified by bitwise OR(|) them. For example, re.I | re.M is set to I and M flags:
Modifier
Description
re.I Make the match case-insensitive
re.L Do localization recognition (locale -aware) Match
re.M Multi-line matching, affecting ^ and $
re.S Make. Match all characters including newlines
re.U Parse characters according to the Unicode character set. This flag affects w, W, b, B.
re.X This flag makes writing regular expressions easier to understand by giving you more flexible formatting.
Regular expression pattern
Pattern strings use special syntax to represent a regular expression:
letters and numbers represent themselves. Letters and numbers in a regular expression pattern match the same string.
Most letters and numbers have different meanings when preceded by a backslash.
Punctuation characters only match themselves if they are escaped, otherwise they represent a special meaning.
The backslash itself needs to be escaped with a backslash.
Since regular expressions usually contain backslashes, you'd better use raw strings to represent them. Pattern elements (such as r'/t', equivalent to '//t') match the corresponding special characters.
The following table lists the special elements in the regular expression pattern syntax. If you use a pattern and provide optional flags arguments, the meaning of some pattern elements will change.
Pattern
Description
^ Matches the beginning of the string
$ Matches the end of the string.
. Matches any character, except newline characters. When the re.DOTALL flag is specified, it can match any character including newline characters.
[...] Used to represent a group of characters, listed separately: [amk] Matches 'a', 'm' or 'k'
[^...] Characters not in []: [^ abc] matches characters except a, b, c.
re* Matches 0 or more expressions.
re+ Matches 1 or more expressions.
re? Matches 0 or 1 fragments defined by the previous regular expression, greedy mode
re{ n}
re{ n,} Exactly matches n previous expressions.
re{ n, m} Match n to m times the fragment defined by the previous regular expression, greedy way
a| b Match a or b
(re) G matches the expression in parentheses, also represents a The group
(?imx) regular expression contains three optional flags: i, m, or x. Only affects the area in brackets.
(?-imx) Regular expression to turn off the i, m, or x optional flags. Only affects the area in brackets.
(?: re) Like (...), but does not represent a group
(?imx: re) Use i, m, or x optional flags in parentheses
(?-imx: re) in Do not use i, m, or x optional flags in parentheses
(?#...) Comment.
(?= re) Forward positive delimiter. Succeeds if the contained regular expression, represented by ... , successfully matches the current position, otherwise it fails. But once the contained expression has been tried, the matching engine doesn't improve at all; the remainder of the pattern still has to try the right side of the delimiter.
(?! re) Forward negative delimiter. Contrary to the positive delimiter; succeeds when the contained expression cannot be matched at the current position of the string
(?> re) An independent pattern matched, eliminating backtracking.
w Matches alphanumeric characters
W Matches non-alphanumeric characters
s Matches any whitespace character, equivalent to [tnrf].
S Matches any non-empty character
d Matches any digit, equivalent to [0-9 ].
D Matches any non-number
A Matches the beginning of the string
Z Matches the end of the string. If there is a newline, only the ending string before the newline is matched. c
z Match the end of the string
G Match the position where the last match is completed.
b Matches a word boundary, which refers to the position between a word and a space. For example, 'erb' matches 'er' in "never" but not "er" in "verb".
B Matches non-word boundaries. 'erB' matches 'er' in "verb" but not in "never".
n, t, etc. Matches a newline character. Matches a tab character. etc.
1...9 matches the subexpression of the nth group.
10 Matches the subexpression of the nth group if it is matched. Otherwise it refers to the expression of the octal character code.
Regular Expression Example
Character Match
Example
Description
python Match "python".
Character Class
Instance
Description
[Pp]python Match" Python" or "python"
rub[ye] Matches "ruby" or "rube"
[aeiou] Matches any letter within the brackets
[0-9] Matches any number. Similar to [0123456789]
[a-z] Matches any lowercase letters
[A-Z] Matches any uppercase letters
[a-zA-Z0-9] Matches any letters and numbers
[^aeiou] Except for aeiou letters of All characters
[^0-9] Matches characters except numbers
Special character class
instance
Description
. Matches any single character except "n". To match any character including 'n', use a pattern like '[.n]'.
d Matches a numeric character. Equivalent to [0-9].
D Matches a non-numeric character. Equivalent to [^0-9].
s Matches any whitespace characters, including spaces, tabs, form feeds, etc. Equivalent to [fnrtv].
S matches any non-whitespace character. Equivalent to [^ fnrtv].
w Matches any word character including an underscore. Equivalent to '[A-Za-z0-9_]'.
W matches any non-word character. Equivalent to '[^A-Za-z0-9_]'.

Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

SublimeText3 Mac version
God-level code editing software (SublimeText3)

Hot Topics



PHP and Python have their own advantages and disadvantages, and the choice depends on project needs and personal preferences. 1.PHP is suitable for rapid development and maintenance of large-scale web applications. 2. Python dominates the field of data science and machine learning.

Python and JavaScript have their own advantages and disadvantages in terms of community, libraries and resources. 1) The Python community is friendly and suitable for beginners, but the front-end development resources are not as rich as JavaScript. 2) Python is powerful in data science and machine learning libraries, while JavaScript is better in front-end development libraries and frameworks. 3) Both have rich learning resources, but Python is suitable for starting with official documents, while JavaScript is better with MDNWebDocs. The choice should be based on project needs and personal interests.

Docker uses Linux kernel features to provide an efficient and isolated application running environment. Its working principle is as follows: 1. The mirror is used as a read-only template, which contains everything you need to run the application; 2. The Union File System (UnionFS) stacks multiple file systems, only storing the differences, saving space and speeding up; 3. The daemon manages the mirrors and containers, and the client uses them for interaction; 4. Namespaces and cgroups implement container isolation and resource limitations; 5. Multiple network modes support container interconnection. Only by understanding these core concepts can you better utilize Docker.

VS Code can be used to write Python and provides many features that make it an ideal tool for developing Python applications. It allows users to: install Python extensions to get functions such as code completion, syntax highlighting, and debugging. Use the debugger to track code step by step, find and fix errors. Integrate Git for version control. Use code formatting tools to maintain code consistency. Use the Linting tool to spot potential problems ahead of time.

In VS Code, you can run the program in the terminal through the following steps: Prepare the code and open the integrated terminal to ensure that the code directory is consistent with the terminal working directory. Select the run command according to the programming language (such as Python's python your_file_name.py) to check whether it runs successfully and resolve errors. Use the debugger to improve debugging efficiency.

VS Code extensions pose malicious risks, such as hiding malicious code, exploiting vulnerabilities, and masturbating as legitimate extensions. Methods to identify malicious extensions include: checking publishers, reading comments, checking code, and installing with caution. Security measures also include: security awareness, good habits, regular updates and antivirus software.

VS Code can run on Windows 8, but the experience may not be great. First make sure the system has been updated to the latest patch, then download the VS Code installation package that matches the system architecture and install it as prompted. After installation, be aware that some extensions may be incompatible with Windows 8 and need to look for alternative extensions or use newer Windows systems in a virtual machine. Install the necessary extensions to check whether they work properly. Although VS Code is feasible on Windows 8, it is recommended to upgrade to a newer Windows system for a better development experience and security.

Python excels in automation, scripting, and task management. 1) Automation: File backup is realized through standard libraries such as os and shutil. 2) Script writing: Use the psutil library to monitor system resources. 3) Task management: Use the schedule library to schedule tasks. Python's ease of use and rich library support makes it the preferred tool in these areas.
