使用 re.sub 替换字符串的数字部分,对 Python 中的数字进行算术运算?

Using re.sub to replace numeric part of string, with arithmetic manipulation of that number in Python?

假设我有字符串 testing-1-6-180 - 这里我想捕获第二个数字(不管它是什么),这里是“6”,然后我想在它的数字上加 5 value (so 6),然后输出字符串 - 所以在这种情况下,结果应该是 testing-1-11-180.

这是我到目前为止尝试过的:

import re

mytext = "testing-1-6-180"
pat_a = re.compile(r'testing-1-(\d+)')
result = pat_a.sub( "testing-1-{}".format( int('')+5 ), mytext )

...不幸的是,这失败了:

$ python3 test.py
Traceback (most recent call last):
  File "test.py", line 7, in <module>
    result = pat_a.sub( "testing-1-{}".format( int('')+5 ), mytext )
ValueError: invalid literal for int() with base 10: '\x01'

那么,如何获取捕获的反向引用,然后将其转换为 int,进行一些运算,然后使用结果替换匹配的子字符串?


如果能够 post 一个答案就好了,因为弄清楚如何将那里的答案应用到这里的这个问题并不是一件容易的事,但无论如何没人在乎,所以我会post 作为编辑的答案:

import re

mytext = "testing-1-6-180"
pat_a = re.compile(r'testing-1-(\d+)')

def numrepl(matchobj):
  return "testing-1-{}".format( int(matchobj.group(1))+5 )

result = pat_a.sub( numrepl, mytext )
print(result)

结果是testing-1-11-180.

您可以使用 lambda 代替:

>>> mytext = "testing-1-6-180"
>>> s = re.sub(r'^(\D*\d+\D+)(\d+)', lambda m: m.group(1) + str(int(m.group(2)) + 5), mytext)
>>> print (s)
'testing-1-11-180'