假设我有字符串testing-1-6-180- 这里我想捕获第二个数字(无论它是什么),这里是“6”,然后我想将 5 添加到其数值(所以 6),然后输出string - 所以在这种情况下,结果应该是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('\1')+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('\1')+5 ), mytext )
ValueError: invalid literal for int() with base 10: '\x01'
那么,如何获得捕获的反向引用,以便将其转换为 int,进行一些算术,然后使用结果替换匹配的子字符串?
能够发布答案就好了,因为弄清楚如何将那里的答案应用到这里的这个问题并不完全是微不足道的,但无论如何没有人关心,所以我将发布答案作为编辑:
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.
繁星coding
相关分类