python 2.6.8
s= '''
foo
bar
baz
'''
>>>re.findall(r'^\S*',s,re.MULTILINE)
['', 'foo', 'bar', 'baz', '']
>>>ptrn = re.compile(r'^\S*',re.MULTILINE)
>>>ptrn.findall(s)
['', 'foo', 'bar', 'baz', '']
>>>ptrn.findall(s,re.MULTILINE)
['baz', '']
为什么在findall中使用多行标志会有区别?
发布于 2012-08-14 18:47:51
在正则表达式对象上调用findall()
方法时,第二个参数不是flags
参数(因为它已经在编译正则表达式时使用过),而是pos
参数,它告诉正则表达式引擎在字符串中的哪个点开始匹配。
re.MULTILINE
只是一个整数(恰好是8
)。
参见the docs。
发布于 2012-08-14 18:49:14
因为编译后的对象ptrn
的findall
方法不接受多行参数。它需要一个position
参数。
查看此处:http://docs.python.org/library/re.html#re.RegexObject.findall
仅当调用re.compile()
时才使用多行说明符,因为生成的ptrn
对象已经“知道”它是MULTILINE
。
https://stackoverflow.com/questions/11958728
复制