使用Python的re.compile是否值得?
在Python中对正则表达式使用compile
有什么好处?
h = re.compile('hello')h.match('hello world')
与
re.match('hello', 'hello world')
回答:
与动态编译相比,我有1000多次运行已编译的正则表达式的经验,并且没有注意到任何可察觉的差异。显然,这是轶事,当然也不是反对编译的一个很好的论据,但是我发现区别可以忽略不计。
编辑:快速浏览一下实际的Python 2.5库代码后,我发现无论何时使用Python(包括对的调用re.match()
),Python都会在内部编译和缓存正则表达式,因此,你实际上只是在更改正则表达式时进行更改,因此根本不会节省很多时间-仅节省检查缓存(在内部dict
类型上进行键查找)所花费的时间。
从模块re.py
(评论是我的):
def match(pattern, string, flags=0): return _compile(pattern, flags).match(string)
def _compile(*key):
# Does cache check at top of function
cachekey = (type(key[0]),) + key
p = _cache.get(cachekey)
if p is not None: return p
# ...
# Does actual compilation on cache miss
# ...
# Caches compiled regex
if len(_cache) >= _MAXCACHE:
_cache.clear()
_cache[cachekey] = p
return p
我仍然经常预编译正则表达式,但是只是将它们绑定到一个不错的,可重用的名称上,而不是为了获得预期的性能提升。
以上是 使用Python的re.compile是否值得? 的全部内容, 来源链接: utcz.com/qa/426771.html