I have python regex objects - say, re_first and re_second - I would like to concatenate.
我有python正则表达式对象 - 比如,re_first和re_second - 我想连接。
import re
FLAGS_TO_USE = re.VERBOSE | re.IGNORECASE
re_first = re.compile( r"""abc #Some comments here """, FLAGS_TO_USE )
re_second = re.compile( r"""def #More comments here """, FLAGS_TO_USE )
I want one regex expression that matches either one of the above regex expressions. So far, I have
我想要一个与上述正则表达式中的任何一个匹配的正则表达式。到目前为止,我有
pattern_combined = re_first.pattern + '|' + re_second.pattern
re_combined = re.compile( pattern_combined, FLAGS_TO_USE )
This doesn't scale very well the more python objects. I end up with something looking like:
对于更多的python对象,这不能很好地扩展。我最终看起来像:
pattern_combined = '|'.join( [ first.pattern, second.pattern, third.pattern, etc ] )
The point is that the list to concatenate can be very long. Any ideas how to avoid this mess? Thanks in advance.
关键是要连接的列表可能很长。任何想法如何避免这种混乱?提前致谢。
2 个解决方案
#1
6
I don't think you will find a solution that doesn't involve creating a list with the regex objects first. I would do it this way:
我认为您不会找到一个不涉及首先使用正则表达式对象创建列表的解决方案。我会这样做:
# create patterns here...
re_first = re.compile(...)
re_second = re.compile(...)
re_third = re.compile(...)
# create a list with them
regexes = [re_first, re_second, re_third]
# create the combined one
pattern_combined = '|'.join(x.pattern for x in regexes)
Of course, you can also do the opposite: Combine the patterns and then compile, like this:
当然,您也可以这样做:组合模式然后编译,如下所示:
pattern1 = r'pattern-1'
pattern2 = r'pattern-2'
pattern3 = r'pattern-3'
patterns = [pattern1, pattern2, pattern3]
compiled_combined = re.compile('|'.join(x for x in patterns), FLAGS_TO_USE)
#2
1
Toss them on a list, and then
将它们放在列表中,然后
'|'.join(your_list)
#1
6
I don't think you will find a solution that doesn't involve creating a list with the regex objects first. I would do it this way:
我认为您不会找到一个不涉及首先使用正则表达式对象创建列表的解决方案。我会这样做:
# create patterns here...
re_first = re.compile(...)
re_second = re.compile(...)
re_third = re.compile(...)
# create a list with them
regexes = [re_first, re_second, re_third]
# create the combined one
pattern_combined = '|'.join(x.pattern for x in regexes)
Of course, you can also do the opposite: Combine the patterns and then compile, like this:
当然,您也可以这样做:组合模式然后编译,如下所示:
pattern1 = r'pattern-1'
pattern2 = r'pattern-2'
pattern3 = r'pattern-3'
patterns = [pattern1, pattern2, pattern3]
compiled_combined = re.compile('|'.join(x for x in patterns), FLAGS_TO_USE)
#2
1
Toss them on a list, and then
将它们放在列表中,然后
'|'.join(your_list)