Python regular expression substitution function using lambda in the replacement field

624 Views Asked by At

I am trying to mimic 'i am your'.title() string function with the following code to get the output as I Am Your. But it gives the same i am your as output without capitalizing the words

re.sub(r"\b'\w", lambda m: m.group().upper(), 'i am your')  

During the process of verfiying it, I came across this following snippet in the internet but not able to comprehend how the lambda gets the input from/as:

re.sub("[ab]", lambda x: x.group(0).upper(), "charly") # chArly

because,

>>> f = lambda x: x.group(0).upper()
>>> f("[ab]")
AttributeError: 'str' object has no attribute 'group'

>>> f(["a","b"])
AttributeError: 'list' object has no attribute 'group'

To understand it better, I tried to decode it with Python disassembler, but still it seems vague

>>> dis.dis('re.sub("[ab]", lambda x: x.group(0).upper(), "charly")')
          0 POP_JUMP_IF_FALSE 11877
          3 POP_JUMP_IF_TRUE 25205
          6 STORE_SLICE+0
          7 <34>
          8 DELETE_NAME     25185 (25185)
         11 FOR_ITER        11298 (to 11312)
         14 SLICE+2
         15 IMPORT_NAME     28001 (28001)
         18 DELETE_GLOBAL   24932 (24932)
         21 SLICE+2
         22 SETUP_LOOP       8250 (to 8275)
         25 SETUP_LOOP      26414 (to 26442)
         28 POP_JUMP_IF_FALSE 30063
         31 JUMP_IF_TRUE_OR_POP 12328
         34 STORE_SLICE+1
         35 <46>
         36 <117>           28784
         39 LOAD_NAME       10354 (10354)
         42 STORE_SLICE+1
         43 <44>
         44 SLICE+2
         45 <34>
         46 DUP_TOPX        24936
         49 POP_JUMP_IF_FALSE 31084
         52 <34>
         53 STORE_SLICE+1
1

There are 1 best solutions below

4
On BEST ANSWER
  • You need to use upper() to get the first char in caps
  • There is a ' between word break and word escape literals, you need to remove that.
  • And you need to use m.group(0) or m[0] to get matched string.
>>> re.sub(r"\b\w",lambda m: m[0].upper(),"i am your")
'I Am Your'