Python正則表達式裏的單行re.S和多行re.M模式

Python正則表達式裏的單行re.S和多行re.M模式python

 

Python 的re模塊內置函數幾乎都有一個flags參數,以位運算的方式將多個標誌位相加。其中有兩個模式:單行(re.DOTALL, 或者re.S)和多行(re.MULTILINE, 或者re.M)模式。它們初看上去很差理解,可是有時又會很是有用。這兩個模式在PHP和JavaScripts裏都有。正則表達式

 

單行模式 re.DOTALL函數

在單行模式裏,文本被強制看成單行來匹配,什麼樣的文本不會被看成單行?就是裏面包含有換行符的文本,好比:spa

This is the first line.\nThis is the second line.\nThis is the third line.ip

 

點號(.)能匹配全部字符,換行符例外。如今咱們但願能匹配出整個字符串,當用點號(.)匹配上面這個字符串時,在換行符的地方,匹配中止。例如:字符串

>>> a = 'This is the first line.\nThis is the second line.\nThis is the third line.'import

>>> print ahack

This is the first line.im

This is the second line.co

This is the third line.

>>> import re

>>> p = re.match(r'This.*line.' ,a)

>>> p.group(0)

'This is the first line.'

>>>

 

在上面的例子裏,即便是默認貪婪(greedy)的匹配,仍然在第一行的結尾初中止了匹配,而在單行模式下,換行符被看成普通字符,被點號(.)匹配:

>>> q = re.match(r'This.*line.', a, flags=re.DOTALL)

>>> q.group(0)

'This is the first line.\nThis is the second line.\nThis is the third line.'

 

點號(.)匹配了包括換行符在內的全部字符。因此,更本質的說法是

單行模式改變了點號(.)的匹配行爲

 

 

多行模式 re.MULTILINE

在多行模式裏,文本被強制看成多行來匹配。正如上面單行模式裏說的,默認狀況下,一個包含換行符的字符串老是被看成多行處理。可是行首符^和行尾符$僅僅匹配整個字符串的起始和結尾。這個時候,包含換行符的字符串又好像被看成一個單行處理。

在下面的例子裏,咱們但願能將三句話分別匹配出來。用re.findall( )顯示全部的匹配項

>>> a = 'This is the first line.\nThis is the second line.\nThis is the third line.'

>>> print a

This is the first line.

This is the second line.

This is the third line.

>>> import re

>>> re.findall(r'^This.*line.$', a)

[]

>>>

默認點號不匹配換行符,咱們須要設置re.DOTALL。

>>> re.findall(r'^This.*line.$', a, flags=re.DOTALL)

['This is the first line.\nThis is the second line.\nThis is the third line.']

>>>

匹配出了整句話,由於默認是貪婪模式,用問號切換成非貪婪模式:

>>> re.findall(r'^This.*?line.$', a, flags=re.DOTALL)

['This is the first line.\nThis is the second line.\nThis is the third line.']

>>>

仍然是整句話,這是由於^和$只匹配整個字符串的起始和結束。在多行模式下,^除了匹配整個字符串的起始位置,還匹配換行符後面的位置;$除了匹配整個字符串的結束位置,還匹配換行符前面的位置.

>>> re.findall(r'^This.*?line.$', a, flags=re.DOTALL+re.MULTILINE)

['This is the first line.', 'This is the second line.', 'This is the third line.']

>>>

 

更本質的說法是

多行模式改變了^和$的匹配行爲

 

本文轉自:

https://www.lfhacks.com/tech/python-re-single-multiline

相關文章
相關標籤/搜索