Simple regex question:
I want to replace page numbers in a string with pagenumber + some number (say, 10). I figured I could capture a matched page number with a backreference, do an operation on it and use it as the replacement argument in re.sub
.
This works (just passing the value):
def add_pages(x):
return x
re.sub("(?<=Page )(\d{2})",add_pages(r"\1") ,'here is Page 11 and here is Page 78\nthen there is Page 65',re.MULTILINE)
Yielding, of course,
'here is Page 11 and here is Page 78\nthen there is Page 65'
Now, if I change the add_pages function to modify the passed backreference, I get an error.
def add_pages(x):
return int(x)+10
re.sub("(?<=Page )(\d{2})",add_pages(r"\1") ,'here is Page 11 and here is Page 78\nthen there is Page 65',re.MULTILINE)
ValueError: invalid literal for int() with base 10: '\\1'
, as what is passed to the add_pages function seems to be the literal backreference, not what it references.
Absent extracting all matched numbers to a list and then processing and adding back, how would I do this?