7

在将 re 的 re.sub() 部分用于 python 时,如果我没记错的话,一个函数可以用于 sub。据我所知,它在匹配中传递给传递的任何函数,例如:

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

除了调用方法的 lambda 之外,有没有更聪明的方法让它传入第二个参数?

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

2 回答 2

9

您可以使用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'
于 2012-05-04T18:41:43.010 回答
0

不使用局部:

import re

a = 'the quick brown fox jumped over the python'
print re.sub("(\w+)", 
  lambda x: x.group(1).capitalize(),
  a)

Python 中的 Lambda 很好地提供了组的内联修改。

来自 Perl,这就是我的想法:

$a = 'the quick brown fox jumped over the python';
$a =~ s/(\w)(\w+)/uc($1).$2/ge;
print "$a\n";
于 2022-03-03T00:23:52.813 回答