我可以使用什么正则表达式来匹配仅由字符 A、B 或 C 组成的单词?例如,正则表达式会捕获 ABCBACBACBABBABCC 和 A 和 B 和 C,但不会捕获 ABCD、ABC1 等。
问问题
2010 次
2 回答
8
怎么样\b[ABC]+\b
?那样有用吗?
>>> regex = re.compile(r'\b[ABC]+\b')
>>> regex.match('AACCD') #No match
>>> regex.match('AACC') #match
<_sre.SRE_Match object at 0x11bb578>
>>> regex.match('A') #match
<_sre.SRE_Match object at 0x11bb5e0>
\b
是单词边界。因此,在这里我们匹配任何单词边界,后跟 only或字符A
,直到下一个单词边界。B
C
对于那些不喜欢正则表达式的人,我们也可以set
在这里使用对象:
>>> set("ABC").issuperset("ABCABCABC")
True
>>> set("ABC").issuperset("ABCABCABC1")
False
于 2013-05-20T13:06:49.613 回答
0
您正在寻找的正则表达式是r'\b([ABC]+)\b'
.
你可以编译它:
>>> regex = re.compile(r'\b([ABC]+)\b')
然后你可以用它做一些事情:
>>> regex.match('ABC') # find a match with whole string.
>>> regex.search('find only the ABC') # find a match within the whole string.
>>> regex.findall('this will find only the ABC elements in this ABC test text') # find 2 matches.
如果您想忽略这种情况,请使用:
>>> regex = re.compile(r'\b([ABC]+)\b', re.I)
于 2013-05-20T13:15:10.770 回答