Dot Matching Newline

By using re.DOTALL flag, you can modify the behavior of dot (.) character to match the newline character apart from other characters. Before using the DOTALL flag, let’s look into how regular engine responds to the newline character.

Python3




import re
  
  
match = re.search(r'.+', 'Hello,\nGeeks')
print(match)


Output

<_sre.SRE_Match object; span=(0, 6), match='Hello,'>

Here, the regular expression matches one or more characters (‘. +’). At the time when the engine reaches the newline character, it stops, because the dot character doesn’t match the line breaks. Let’s look into the code that makes use of the DOTALL flag.

Python3




import re
  
  
match = re.search(r'.+','Hello,\nGeeks', re.DOTALL)
print(match)


Output:

<_sre.SRE_Match object; span=(0, 12), match=’Hello,\nGeeks’>

Python Flags to Tune the Behavior of Regular Expressions

Python offers some flags to modify the behavior of regular expression engines. Let’s discuss them below: 

  1. Case Insensitivity
  2. Dot Matching Newline
  3. Multiline Mode
  4. Verbose Mode
  5. Debug Mode

Similar Reads

Case Insensitivity

The re.IGNORECASE allows the regular expression to become case-insensitive. Here, the match is returned based on the case of the provided string, not the string in the regular expression....

Dot Matching Newline

...

Multiline mode

By using re.DOTALL flag, you can modify the behavior of dot (.) character to match the newline character apart from other characters. Before using the DOTALL flag, let’s look into how regular engine responds to the newline character....

Verbose Mode

...

Debug Mode

...