python 正則表示式模式
阿新 • • 發佈:2022-05-18
I IGNORECASE, 忽略大小寫的匹配模式, 樣例如下
s = 'hello World!' regex = re.compile("hello world!", re.I) print regex.match(s).group() #output> 'hello World!' #在正則表示式中指定模式以及註釋 regex = re.compile("(?#註釋)(?i)hello world!") print regex.match(s).group() #output> 'hello World!'
L LOCALE, 字符集本地化。這個功能是為了支援多語言版本的字符集使用環境的,比如在轉義符\w,在英文環境下,它代表[a-zA-Z0-9_],即所以英文字元和數字。如果在一個法語環境下使用,預設設定下,不能匹配"é" 或 "ç"。加上這L選項和就可以匹配了。不過這個對於中文環境似乎沒有什麼用,它仍然不能匹配中文字元。
M MULTILINE,多行模式, 改變 ^ 和 $ 的行為
s = '''first line second line third line''' # ^ regex_start = re.compile("^\w+") print regex_start.findall(s) # output> ['first'] regex_start_m = re.compile("^\w+", re.M) print regex_start_m.findall(s) # output> ['first', 'second', 'third'] #$ regex_end = re.compile("\w+$") print regex_end.findall(s) # output> ['line'] regex_end_m = re.compile("\w+$", re.M) print regex_end_m.findall(s) # output> ['line', 'line', 'line']
S DOTALL,此模式下 '.' 的匹配不受限制,可匹配任何字元,包括換行符
s = '''first line second line third line''' # regex = re.compile(".+") print regex.findall(s) # output> ['first line', 'second line', 'third line'] # re.S regex_dotall = re.compile(".+", re.S) print regex_dotall.findall(s) # output> ['first line\nsecond line\nthird line']
X VERBOSE,冗餘模式, 此模式忽略正則表示式中的空白和#號的註釋,例如寫一個匹配郵箱的正則表示式
email_regex = re.compile("[\w+\.]+@[a-zA-Z\d]+\.(com|cn)") email_regex = re.compile("""[\w+\.]+ # 匹配@符前的部分 @ # @符 [a-zA-Z\d]+ # 郵箱類別 \.(com|cn) # 郵箱字尾 """, re.X)
U UNICODE,使用 \w, \W, \b, \B 這些元字元時將按照 UNICODE 定義的屬性.
正則表示式的模式是可以同時使用多個的,在 python 裡面使用按位或運算子 | 同時新增多個模式
如 re.compile('', re.I|re.M|re.S)
每個模式在 re 模組中其實就是不同的數字
print re.I # output> 2 print re.L # output> 4 print re.M # output> 8 print re.S # output> 16 print re.X # output> 64 print re.U # output> 32