我正在寻找 python 中的正则表达式来匹配 19 之前和 24 之后的所有内容。
文件名是 test_case_*.py,其中星号是 1 或 2 位数字。例如:test_case_1.py、test_case_27.py。
最初,我认为像[1-19]这样的东西应该可以工作,结果比我想象的要困难得多。
有没有人为这种情况制定过解决方案?
PS:即使我们可以为数字 x 之前的所有数字找到一个正则表达式,为数字 y 之后的所有数字找到一个正则表达式,我也可以。
我不会使用正则表达式来验证数字本身,我只会使用一个来提取数字,例如:
>>> import re
>>> name = 'test_case_42.py'
>>> num = int(re.match('test_case_(\d+).py', name).group(1))
>>> num
42
然后使用类似的东西:
num < 19 or num > 24
确保num
有效。这样做的原因是,适应这样的正则表达式比适应类似num < 19 or num > 24
.
以下应该这样做(用于匹配整个文件名):
^test_case_([3-9]?\d|1[0-8]|2[5-9])\.py$
解释:
^ # beginning of string anchor
test_case_ # match literal characters 'test_case_' (file prefix)
( # begin group
[3-9]?\d # match 0-9 or 30-99
| # OR
1[0-8] # match 10-18
| # OR
2[5-9] # match 25-29
) # end group
\.py # match literal characters '.py' (file suffix)
$ # end of string anchor
就像是
"(?<=_)(?!(19|20|21|22|23|24)\.)[0-9]+(?=\.)"
One or more digits `[0-9]+`
that aren't 19-24 `(?!19|20|21|22|23|24)` followed by a .
following a _ `(?<=_)` and preceding a . `(?=\.)`
或者更紧凑
"(?<=_)(?!(19|2[0-4])\.)[0-9]+(?=\.)"
其中 20-24 范围已被压缩。