我正在使用 Python 2.x 中的正则表达式来捕获缩写的子集。以下文本中出现了几个这样的缩写:
# text # desired capture
The certolizumab pegol (Cmzia, CZP)... 'CZP'
The drug 6-mercatopureine (6-mp) ... '6-mp'
The merits of 5-Asasdfdsf (5-ASA) ... '5-ASA'
在第一个示例中,我有兴趣返回结果CZP
并忽略Cmzia,
.
这是我之前的正则表达式,它对于匹配和这样的情况是必要(6-mp)
的(5-ASA)
:
\((\S*[A-Z-0-9]\S*)\) # captures '6-mp' and '5-ASA', respectively
这是我为处理上述情况所做的补充:
\S*\s+[A-Z-0-9]+ # I only want to capture the '[A-Z-0-9]+'
我尝试使用以下正则表达式(我尝试将感兴趣的部分加粗,以免与上下文混淆,但这似乎不起作用):
# in p1, I add the pattern to the list, separated by '|'
>>> p1 = re.compile(r'\((\S*[A-Z-0-9]\S*|\S*\s+[A-Z-0-9]+)\)')
>>> p1.findall('The certolizumab pegol (Cmzia, CZP)')
['Cmzia, CZP']
# in p2, I use a broad non-capturing group, enclosing the desired captured expressions in parentheses
>>> p2 = re.compile(r'\((?:(\S*[A-Z-0-9]\S*)|\S*\s+([A-Z-0-9]+))\)')
>>> p2.findall('The certolizumab pegol (Cmzia, CZP)')
[('', '', 'CZP')]
# this is an addition to the original post
# demonstrates that the non-capturing expression doesn't prevent capture of the section \S*\s+
>>> p3 = re.compile(r'\((\S*[A-Z-0-9]\S*|(?:\S*\s+)[A-Z-0-9]+)\)')
>>> p3.findall('The certolizumab pegol (Cmzia, CZP)')
['Cmzia, CZP']
理想情况下,我想要输出CZP
. p1返回太多,因为我想排除\S*\s+
对应的Cmzia,
. 关于p2,我知道我可以轻松地操纵输出以匹配我想要的输出,但我想知道是否有办法修改正则表达式来处理它。
谢谢,如果您需要更多详细信息/说明,请告诉我。
编辑:
我仍然希望正则表达式从正则表达式的第一个/原始部分捕获6-mp
and 。5-ASA
编辑2:
这包括在上面,但把它放在一个位置并总结我的问题。
pattern = r'???'
p = re.compile(pattern)
p.findall('Stuff stuff (Cmzia, CZP) stuff stuff (5-ASA) (6-mp) stuff...')
['CZP','5-ASA','6-mp']