自动化脚本总是匹配不到界面的数据。经过调试发现,期望获取的数据,是一串换行的字符串
import re
s = '''
#This line is the first
another line
the last line#
'''
print(re.search(r'#(.+)#',s))
点号( .) 不能匹配换行符,所以匹配不到数据。
解决方法1:使用 re.S/DOTALL 扩展符。该标记表明点号(.)能够用来表示\n
import re
s = '''
#This line is the first
another line
the last line#
'''
print(re.search(r'#(.+)#',s,re.DOTALL).group(1)) #或者使用re.S
解决方法2: 指定一个非捕获组(?:.|\n)。(?:)符号,可以对部分正则表达式进行分组匹配,但并不获取‘非捕获组’中匹配的字符串,也不分配组号
import re
s = '''
#This line is the first
another line
the last line#
'''
print(re.findall(r'#((?:.|\n)+)#',s))