0

我想使用 python re 模块通过数字数字过滤 int 数字。

    1
  700
76093
71365
35837
75671
 ^^                 
 ||--------------------- this position should not be 6,7,8,9,0 
 |---------------------- this position should not be 5,6,7

代码:

int_list=[1,700,76093,71365,35837,75671]
str_list = [str(x).zfill(5) for x in int_list]
reexp = r"\d[0-4,8-9][1-5]\d\d"
import re
p = re.compile(reexp)
result = [int("".join(str(y) for y in x)) for x in str_list if p.match(x)]

我有两个问题:

1.是否可以从以下代码生成reexp字符串:

thousand_position = set([1,2,3,4,5,1,1,1,1,1,1,1,1,1,1])
hundred_position  = set([1,2,3,4,8,9,0,1,2,3,2,3,1,2])

2.如何让reexp更简单避免低于0前缀的bug?

00700
00500          <--- this will also drops into the reexp, it is a 
                     bug because it has no kilo number
10700

reexp = r"\d[0-4,8-9][1-5]\d\d"

谢谢你的时间

B.Rgs

PS:感谢您对以下数学解决方案的建议,我知道它可能更容易更快,但我希望基于 re 的版本来平衡其他想法。

4

2 回答 2

4

您确定要使用该re模块吗?您可以通过一些简单的数学运算来了解您正在尝试做的事情。

def valid_number(n):
  return 0 < n%1000/100 < 6 and not 5 >= n%10000/1000 >= 7

int_list = [1,700,76093,71365,35837,75671,]
result   = [x for x in int_list if valid_number(x)]

或者:

result    = filter(valid_number, int_list)
于 2011-03-24T04:26:28.090 回答
1

好的,首先,我将发布一些实际上执行您最初描述的代码:

>>> int_list=[1, 700, 76093, 71365, 35837, 75671]
>>> str_list = [str(i).zfill(5) for i in int_list]
>>> filtered =  [s for s in str_list if re.match('\d[0-4,8-9][1-5]\d\d', s)]
>>> filtered
['71365']

编辑:好的,我想我现在明白你的问题了。zfill您可以使用代替使用rjust,这将插入空格而不是零。

>>> int_list=[1,700,76093,71365,35837,75671,500]
>>> str_list = [str(i).rjust(5) for i in int_list]
>>> re_str = '\d' + str(list(set([0, 1, 3, 4, 8, 9]))) + str(list(set([1, 2, 3, 4, 5]))) + '\d\d'
>>> filtered =  [s for s in str_list if re.match(re_str, s)]
>>> filtered
['71365']

我认为按照 yan 的建议在数学上这样做最终会更快,但也许你有理由使用正则表达式。

于 2011-03-24T05:06:03.843 回答