re.findall()在字符串中找到正则表达式所匹配的所有子串,并返回一个列表;如果没有找到匹配的,则返回空列表。
返回结果是列表类型,需要遍历一下才能依次获取每组内容。
findall(patern, string, flags=0)
1,例子:
import re
content = 'Hello 123456789 Word_This is just a test 666 Test'
results = re.findall('\d+', content)
print(results)
for result in results:
print(result)
结果:
['123456789', '666']
123456789
666
Process finished with exit code 0
注意利用re.findall()函数没有group()和groups(),因为其返回结果是一个列表。
2,re.compile()方法
re.compile()方法可以将正则字符串编译成正则表达式对象,以便在后面的匹配中复用。
re.compile(pattern[, flags])
re.compile()中可以传入忽略换行等匹配模式,这样在search()、findall()方法中就不需要额外传入了。
因此,re.findall()方法有2种表达方式:
import re
content = 'one1two22three333four4444'
pattern = re.compile(r'\d+')
print('===方法1:===')
result1 = re.findall(pattern, content)
print(result1)
print('===方法2===')
result2 = pattern.findall(content)
print(result2)
结果:
===方法1:===
['1', '22', '333', '4444']
===方法2===
['1', '22', '333', '4444']
Process finished with exit code 0
3,在使用findall()方法时的“坑”:注意正则表达式中括号()的使用
(1)正则表达式中当没有括号时,正常匹配:
import re
str1 = '2345 3456 4567 5678 6789'
pattern_1 = re.compile('\w+\s+\w+') # \w 表示匹配包括下划线的任何单词字符,等价于[A-Za-z0-9_]
print(pattern_1.findall(str1))
结果:
['2345 3456', '4567 5678']
Process finished with exit code 0
(2)正则表达式中有一个括号时,其输出的内容就是括号匹配到的内容,而不是整个表达式所匹配到的结果:
import re
str1 = '2345 3456 4567 5678 6789'
pattern_1 = re.compile('(\w+)\s+\w+') # \w 表示匹配包括下划线的任何单词字符,等价于[A-Za-z0-9_]
print(pattern_1.findall(str1))
结果:
['2345', '4567']
Process finished with exit code 0
整个正则表达式执行了,只不过只输出括号匹配到的内容,即输出的是第一个 (\w+) 匹配到的内容:
在第一次匹配时跟上述没有括号时一样,匹配到"2345 3456",只不过只输出(/w+)匹配到的结果 即"2345";
第二次匹配同理,从"4567" 开始,匹配到"4567 5678",但是还是只是输出(/w+)匹配到的结果 即"4567"。
(3)当正则表达式中有两个括号时,其输出是一个list 中包含2个 tuple:
import re
str1 = '2345 3456 4567 5678 6789'
pattern_1 = re.compile('((\w+)\s+\w+)') # \w 表示匹配包括下划线的任何单词字符,等价于[A-Za-z0-9_]
print(pattern_1.findall(str1))
结果:
[('2345 3456', '2345'), ('4567 5678', '4567')]
Process finished with exit code 0
从输出的结果可以看出,结果中包含两个元组,每一个元组中有两个字符串。
第一个元组是第一次匹配的结果,其中的第一个字符串 "2345 3456" 是正则表达式最外面的括号
((\w+)\s+\w+)
匹配输出的结果;
第一个元组中的第二个字符串 "2345"是正则表达式里面括号
(\w+)
匹配输出的结果 ;
第二个元组是第二次匹配的结果,匹配原理与第一次匹配相同。
参考:
https://blog.csdn.net/YZXnuaa/article/details/79346963
https://blog.csdn.net/zd147896325/article/details/79010621
https://www.cnblogs.com/one-lightyear/p/6814833.html