2012-05-04 89 views
6

使用Python的re.sub()部分時,如果我沒有弄錯,函數可以用於子。據我所知,它傳遞到任何函數傳遞例如比賽:使用正則表達式的Python lambda

r = re.compile(r'([A-Za-z]') 
r.sub(function,string) 

有沒有把它傳遞比調用的方法的拉姆達之外的第二ARG一個更聰明的方式?

r.sub(lambda x: function(x,arg),string) 

回答

8

您可以使用functools.partial

>>> from functools import partial 
>>> def foo(x, y): 
...  print x+y 
... 
>>> partial(foo, y=3) 
<functools.partial object at 0xb7209f54> 
>>> f = partial(foo, y=3) 
>>> f(2) 
5 

在您的例子:

def function(x, y): 
    pass # ... 
r.sub(functools.partial(function, y=arg),string) 

和一個真正的使用正則表達式有:

>>> s = "the quick brown fox jumps over the lazy dog" 
>>> def capitalize_long(match, length): 
...  word = match.group(0) 
...  return word.capitalize() if len(word) > length else word 
... 
>>> r = re.compile('\w+') 
>>> r.sub(partial(capitalize_long, length=3), s) 
'the Quick Brown fox Jumps Over the Lazy dog' 
+0

啊謝謝!幾乎與lambda相同:]這會是更接近它的「pythonic」方式嗎? – Stoof

+0

@Stefan我的觀點是,大多數Python大師會考慮部分更pythonic,雖然它可以是相當主觀的。 – brandizzi