Reputation: 34680
I need to replace part of a string. I was looking through the Python documentation and found re.sub.
import re
s = '<textarea id="Foo"></textarea>'
output = re.sub(r'<textarea.*>(.*)</textarea>', 'Bar', s)
print output
>>>'Bar'
I was expecting this to print '<textarea id="Foo">Bar</textarea>'
and not 'bar'.
Could anybody tell me what I did wrong?
Upvotes: 47
Views: 55431
Reputation: 935
Or you could just use the search function instead:
match=re.search(r'(<textarea.*>).*(</textarea>)', s)
output = match.group(1)+'bar'+match.group(2)
print output
>>>'<textarea id="Foo">bar</textarea>'
Upvotes: 3
Reputation: 839114
Instead of capturing the part you want to replace you can capture the parts you want to keep and then refer to them using a reference \1
to include them in the substituted string.
Try this instead:
output = re.sub(r'(<textarea.*>).*(</textarea>)', r'\1Bar\2', s)
Also, assuming this is HTML you should consider using an HTML parser for this task, for example Beautiful Soup.
Upvotes: 80