如何匹配除特定数字以外的所有 3 位数字
how to match all 3 digit except a particular number
我如何匹配除一个特定整数(例如 914)之外的所有 3 位整数。
获取所有 3 位整数非常简单[0=9][0-9][0-9]
尝试 [0-8][0,2-9][0-3,5-9]
之类的操作会从集合中删除除 914 之外的更多整数。
我们如何解决这个问题?
使用'|'
允许多个模式:
[0-8][0-9][0-9]|9[02-9][0-9]|91[0-35-9]
例如:
>>> import re
>>> matcher = re.compile('[0-8][0-9][0-9]|9[02-9][0-9]|91[0-35-9]').match
>>> for i in range(1000):
... if not matcher('%03i' % i):
... print i
...
914
您可以使用否定前瞻来添加例外:
\b(?!914)\d{3}\b
单词边界 \b
确保我们匹配整个单词的数字。
参见regex demo and IDEONE demo:
import re
p = re.compile(r'\b(?!914)\d{3}\b')
test_str = "123\n235\n456\n1000\n910 911 912 913\n 914\n915 916"
print(re.findall(p, test_str))
输出:
['123', '235', '456', '910', '911', '912', '913', '915', '916']
我如何匹配除一个特定整数(例如 914)之外的所有 3 位整数。
获取所有 3 位整数非常简单[0=9][0-9][0-9]
尝试 [0-8][0,2-9][0-3,5-9]
之类的操作会从集合中删除除 914 之外的更多整数。
我们如何解决这个问题?
使用'|'
允许多个模式:
[0-8][0-9][0-9]|9[02-9][0-9]|91[0-35-9]
例如:
>>> import re
>>> matcher = re.compile('[0-8][0-9][0-9]|9[02-9][0-9]|91[0-35-9]').match
>>> for i in range(1000):
... if not matcher('%03i' % i):
... print i
...
914
您可以使用否定前瞻来添加例外:
\b(?!914)\d{3}\b
单词边界 \b
确保我们匹配整个单词的数字。
参见regex demo and IDEONE demo:
import re
p = re.compile(r'\b(?!914)\d{3}\b')
test_str = "123\n235\n456\n1000\n910 911 912 913\n 914\n915 916"
print(re.findall(p, test_str))
输出:
['123', '235', '456', '910', '911', '912', '913', '915', '916']