Reputation: 11
I have a requirement wherein I have to extract content inside <raw>
tag. For example I need to extract abcd
and efgh
from this html snippet:
<html><body><raw somestuff>abcd</raw><raw somesuff>efgh</raw></body></html>
I used this code in my python
re.match(r'.*raw.*(.*)/raw.*', DATA)
But this is not returning any substring. I'm not good at regex. So a correction to this or a new solution would help me a great deal. I am not supposed to use external libs (due to some restriction in my company).
Upvotes: 1
Views: 2550
Reputation: 4216
Your company really needs to rethink their policy. Rewriting an XML parser is a complete waste of time, there are already several for Python. Some are included in the stdlib, so if you can import re
you should also be allowed to import xml.etree.ElementTree
or anything else listed at http://docs.python.org/library/markup.html .
You really should be using one of those. No sense duplicating all of that work.
Upvotes: 5
Reputation: 1798
Using non greedy matching (*?) can do this easily, at least for your example.
re.findall(r'<raw[^>]*?>(.*?)</raw>', DATA)
Upvotes: 0